文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

elasticsearch源码index action实现方式是什么

2023-06-30 08:07

关注

本篇内容主要讲解“elasticsearch源码index action实现方式是什么”,感兴趣的朋友不妨来看看。本文介绍的方法操作简单快捷,实用性强。下面就让小编来带大家学习“elasticsearch源码index action实现方式是什么”吧!

action的作用

上一篇从结构上分析了action的,本篇将以index action为例仔分析一下action的实现方式。

再概括一下action的作用:对于每种功能(如index)action都会包括两个基本的类*action(IndexAction)和Transport*action(TransportIndexAction),前者类中会有一个实例(IndexAction INSTANCE = new IndexAction())这个实例用于client绑定对应的TransportAction(registerAction(IndexAction.INSTANCE, TransportIndexAction.class)),绑定过程发送在ActionModuel中。

另外在Action类中还会定义一个action的名字(String NAME = "indices:data/write/index")这个名字用于TransportService绑定对于的handle,用于处理NettyTransport接收到的信息。TransportAction的是最终的逻辑处理者,当接收到请求时,会首先判断本节点能否处理,如果能够处理则调用相关的方法处理得到结果返回,否则将通过NettyTransport转发该请求到对应的node进行处理。所有的Transport的结构都是这种类型。

TransportAction的类图

首先看一下TransportAction的类图,所的Transport*action都继承自于它。

elasticsearch源码index action实现方式是什么

它主要由两个方法execute和doExecute,execute方法有两种实现,第一种实现需要自行添加actionListener。最终的逻辑都在doExecute方法中,这个方法在各个功能模块中实现。以下是TransportIndexAction的继承关系:

elasticsearch源码index action实现方式是什么

实现上由于功能划分的原因,TransportIndexAction直接继承自TranspShardReplicationOperationAction,这个抽象类中的方法是所有需要操作shard副本的功能action的父,因此它的实现还包括delete,bulk等功能action。它实现了多个内部类,这些内部类用来辅助完成相关的功能。这里主要说一下OperationTransportHandler,ReplicaOperationTransportHandler及AsyncShardOperationAction三个子类。

OperationTransportHandler的代码

如下所示:

class OperationTransportHandler extends BaseTransportRequestHandler<Request> {//继承自BaseTransportRequestHanlder………………        @Override        public void messageReceived(final Request request, final TransportChannel channel) throws Exception {            // no need to have a threaded listener since we just send back a response            request.listenerThreaded(false);            // if we have a local operation, execute it on a thread since we don't spawn            request.operationThreaded(true);      //调用Transport的execute方法,通过channel返回结果            execute(request, new ActionListener<Response>() {                @Override                public void onResponse(Response result) {                    try {                        channel.sendResponse(result);                    } catch (Throwable e) {                        onFailure(e);                    }                }                @Override                public void onFailure(Throwable e) {                    try {                        channel.sendResponse(e);                    } catch (Throwable e1) {                        logger.warn("Failed to send response for " + actionName, e1);                    }                }            });        }

看过NettyTransport请求发送和处理的同学一定对这个代码不陌生,这就是elasticsearch节点间处理信息的典型模式。当请求通过NettyTransport发送到本节点时会根据请求的action名称找到对应的handler,使用对应的handler来处理该请求。这个handler就对应着“indices:data/write/index”,可以看到它调用execute方法来处理。它的注册时在TransportShardReplicationOperationAction构造函数中完成的。

知道了OperationTransportHandler,ReplicaOperationTransportHandler就好理解了它的实现方式跟前者完全一样,对应的action名称加了一个“[r]”,它的作用是处理需要在副本上进行的操作,代码如下所示:

class ReplicaOperationTransportHandler extends BaseTransportRequestHandler<ReplicaOperationRequest> {……………………        @Override        public void messageReceived(final ReplicaOperationRequest request, final TransportChannel channel) throws Exception {            try {                shardOperationOnReplica(request);            } catch (Throwable t) {                failReplicaIfNeeded(request.shardId.getIndex(), request.shardId.id(), t);                throw t;            }            channel.sendResponse(TransportResponse.Empty.INSTANCE);        }    }

可以看到代码结构非常像,只是调用了副本操作的方法shardOperationOnReplica,这个方法在这TransportShardReplicationOperationAction中是抽象的,它的实现在各个子类中,例如deleteaction中实现了对于delete请求如何在副本上处理。

分析完这两个handle是不是对于action的处理过程有了一定的眉目了呢?但是这才是冰山一角,这两个Handler是用来接收来自其它节点的请求,如果请求的正好是本节点该如何处理呢?这些逻辑都在AsyncShardOperationAction类中。首先看一下它的内部结构:

elasticsearch源码index action实现方式是什么

因为TransportShardReplicationOperationAction的所有子类都是对索引的修改,会引起数据不一致,因此它的操作流程都是现在primaryShard上操作然后是Replicashard上操作。代码如下所示:

protected void doStart() throws ElasticsearchException {            try {          //检查是否有阻塞                ClusterBlockException blockException = checkGlobalBlock(observer.observedState());                if (blockException != null) {                    if (blockException.retryable()) {                        logger.trace("cluster is blocked ({}), scheduling a retry", blockException.getMessage());                        retry(blockException);                        return;                    } else {                        throw blockException;                    }                }          //检测是否是创建索引                if (resolveIndex()) {                    internalRequest.concreteIndex(observer.observedState().metaData().concreteSingleIndex(internalRequest.request().index(), internalRequest.request().indicesOptions()));                } else {                    internalRequest.concreteIndex(internalRequest.request().index());                }                // check if we need to execute, and if not, return                if (!resolveRequest(observer.observedState(), internalRequest, listener)) {                    return;                }          //再次检测是否有阻塞                blockException = checkRequestBlock(observer.observedState(), internalRequest);                if (blockException != null) {                    if (blockException.retryable()) {                        logger.trace("cluster is blocked ({}), scheduling a retry", blockException.getMessage());                        retry(blockException);                        return;                    } else {                        throw blockException;                    }                }                shardIt = shards(observer.observedState(), internalRequest);            } catch (Throwable e) {                listener.onFailure(e);                return;            }        //查找primaryShard            boolean foundPrimary = false;            ShardRouting shardX;            while ((shardX = shardIt.nextOrNull()) != null) {                final ShardRouting shard = shardX;                // we only deal with primary shardIt here...                if (!shard.primary()) {                    continue;                }                if (!shard.active() || !observer.observedState().nodes().nodeExists(shard.currentNodeId())) {                    logger.trace("primary shard [{}] is not yet active or we do not know the node it is assigned to [{}], scheduling a retry.", shard.shardId(), shard.currentNodeId());                    retryBecauseUnavailable(shardIt.shardId(), "Primary shard is not active or isn't assigned to a known node.");                    return;                }                if (!primaryOperationStarted.compareAndSet(false, true)) {                    return;                }                foundPrimary = true;          //primaryShard就在本地,直接进行相关操作                if (shard.currentNodeId().equals(observer.observedState().nodes().localNodeId())) {                    try {                        if (internalRequest.request().operationThreaded()) {                            internalRequest.request().beforeLocalFork();                            threadPool.executor(executor).execute(new Runnable() {                                @Override                                public void run() {                                    try {                                        performOnPrimary(shard.id(), shard);                                    } catch (Throwable t) {                                        listener.onFailure(t);                                    }                                }                            });                        } else {                            performOnPrimary(shard.id(), shard);                        }                    } catch (Throwable t) {                        listener.onFailure(t);                    }                } else {//primaryShard在其它节点上,将请求通过truansport发送到对应的节点。                    DiscoveryNode node = observer.observedState().nodes().get(shard.currentNodeId());                    transportService.sendRequest(node, actionName, internalRequest.request(), transportOptions, new BaseTransportResponseHandler<Response>() {                        @Override                        public Response newInstance() {                            return newResponseInstance();                        }                        @Override                        public String executor() {                            return ThreadPool.Names.SAME;                        }                        @Override                        public void handleResponse(Response response) {                            listener.onResponse(response);                        }                        @Override                        public void handleException(TransportException exp) {                            // if we got disconnected from the node, or the node / shard is not in the right state (being closed)                            if (exp.unwrapCause() instanceof ConnectTransportException || exp.unwrapCause() instanceof NodeClosedException ||                                    retryPrimaryException(exp)) {                                primaryOperationStarted.set(false);                                internalRequest.request().setCanHaveDuplicates();                                // we already marked it as started when we executed it (removed the listener) so pass false                                // to re-add to the cluster listener                                logger.trace("received an error from node the primary was assigned to ({}), scheduling a retry", exp.getMessage());                                retry(exp);                            } else {                                listener.onFailure(exp);                            }                        }                    });                }                break;            }            ………………        }

这就是对应请求的处理过程。

primary操作的方法

void performOnPrimary(int primaryShardId, final ShardRouting shard) {           ……                PrimaryResponse<Response, ReplicaRequest> response = shardOperationOnPrimary(clusterState, new PrimaryOperationRequest(primaryShardId, internalRequest.concreteIndex(), internalRequest.request()));                performReplicas(response);            …………        }

以上就是performOnPrimary方法的部分代码,首先调用外部类的shardOperationOnPrimary方法,该方法实现在各个子类中,在TransportIndexAction中的实现如下所示:

@Override    protected PrimaryResponse<IndexResponse, IndexRequest> shardOperationOnPrimary(ClusterState clusterState, PrimaryOperationRequest shardRequest) throws Throwable {        final IndexRequest request = shardRequest.request;        // 查看是否需要routing        IndexMetaData indexMetaData = clusterState.metaData().index(shardRequest.shardId.getIndex());        MappingMetaData mappingMd = indexMetaData.mappingOrDefault(request.type());        if (mappingMd != null && mappingMd.routing().required()) {            if (request.routing() == null) {                throw new RoutingMissingException(shardRequest.shardId.getIndex(), request.type(), request.id());            }        }      //调用indexserice执行对应的index操作        IndexService indexService = indicesService.indexServiceSafe(shardRequest.shardId.getIndex());        IndexShard indexShard = indexService.shardSafe(shardRequest.shardId.id());        SourceToParse sourceToParse = SourceToParse.source(SourceToParse.Origin.PRIMARY, request.source()).type(request.type()).id(request.id())                .routing(request.routing()).parent(request.parent()).timestamp(request.timestamp()).ttl(request.ttl());        long version;        boolean created;        try {            Engine.IndexingOperation op;            if (request.opType() == IndexRequest.OpType.INDEX) {                Engine.Index index = indexShard.prepareIndex(sourceToParse, request.version(), request.versionType(), Engine.Operation.Origin.PRIMARY, request.canHaveDuplicates());                if (index.parsedDoc().mappingsModified()) {                    mappingUpdatedAction.updateMappingOnMaster(shardRequest.shardId.getIndex(), index.docMapper(), indexService.indexUUID());                }                indexShard.index(index);                version = index.version();                op = index;                created = index.created();            } else {                Engine.Create create = indexShard.prepareCreate(sourceToParse,                        request.version(), request.versionType(), Engine.Operation.Origin.PRIMARY, request.canHaveDuplicates(), request.autoGeneratedId());                if (create.parsedDoc().mappingsModified()) {                    mappingUpdatedAction.updateMappingOnMaster(shardRequest.shardId.getIndex(), create.docMapper(), indexService.indexUUID());                }                indexShard.create(create);                version = create.version();                op = create;                created = true;            }            if (request.refresh()) {                try {                    indexShard.refresh("refresh_flag_index");                } catch (Throwable e) {                    // ignore                }            }            // update the version on the request, so it will be used for the replicas            request.version(version);            request.versionType(request.versionType().versionTypeForReplicationAndRecovery());            assert request.versionType().validateVersionForWrites(request.version());            IndexResponse response = new IndexResponse(shardRequest.shardId.getIndex(), request.type(), request.id(), version, created);            return new PrimaryResponse<>(shardRequest.request, response, op);        } catch (WriteFailureException e) {            if (e.getMappingTypeToUpdate() != null) {                DocumentMapper docMapper = indexService.mapperService().documentMapper(e.getMappingTypeToUpdate());                if (docMapper != null) {                    mappingUpdatedAction.updateMappingOnMaster(indexService.index().name(), docMapper, indexService.indexUUID());                }            }            throw e.getCause();        }    }

上面的代码就是index的执行过程,这一过程涉及到index的底层操作,这里就不展开,只是说明它在action中是如何实现的,后面会有详细说明。接下来看在副本上的操作。副本可能有多个,因此首先调用了performReplicas方法,在这个方法中首先开始监听集群的状态,然后便利所有的副本进行处理,如果是异步则加入一个listener,否则同步执行返回结果。最后调用performReplica,在该方法中调用外部类的抽象方法shardOperationOnReplica。 这一过程比较简单,这里就不再贴代码,有兴趣可以参考相关源码。

到此,相信大家对“elasticsearch源码index action实现方式是什么”有了更深的了解,不妨来实际操作一番吧!这里是编程网网站,更多相关内容可以进入相关频道进行查询,关注我们,继续学习!

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     807人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     351人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     314人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     433人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     221人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-后端开发
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯