1

我正在使用 Elastic 的Jest 客户端来浏览文档索引以更新一个字段。我的工作流程是使用分页运行一个空查询,看看我是否可以计算额外的字段。如果可以,我会在一次批量更新中更新相关文档。

伪代码

private void process() {
    int from = 0
    int size = this.properties.batchSize
    boolean moreResults = true
    while (moreResults) {
        moreResults = handleBatch(from, this.properties.batchSize)
        from += size
    }
}

private boolean handleBatch(int from, int size) {
    log.info("Processing records $from to " + (from + size))
    def result = search(from, size)
    if (result.isSucceeded()) {
        // Check each element and perform an upgrade
    }
    // return true if the query returned at least one item
}

private SearchResult search(int from, int size) {
    String query =
            '{ "from": ' + from + ', ' +
                    '"size": ' + size + '}'


    Search search = new Search.Builder(query)
            .addIndex("my-index")
            .addType('my-document')
            .build();
    jestClient.execute(search)
}

我没有任何错误,但是当我多次运行批处理时,看起来正在寻找要升级的“新”文档,而文档总数没有改变。我怀疑更新的文档被处理了几次,我可以通过检查处理的 ID 来确认。

如何运行查询以便处理原始文档并且任何更新都不会干扰它?

4

1 回答 1

2

您需要运行搜索查询,而不是运行普通搜索(即使用from+ ) 。主要区别在于滚动将冻结给定的文档快照(在查询时)并查询它们。在第一次滚动查询之后发生的任何更改都不会被考虑。sizescroll

使用 Jest,您需要修改您的代码,使其看起来更像这样:

    // 1. Initiate the scroll request
    Search search = new Search.Builder(searchSourceBuilder.toString())
            .addIndex("my-index")
            .addType("my-document")
            .addSort(new Sort("_doc"))
            .setParameter(Parameters.SIZE, size)
            .setParameter(Parameters.SCROLL, "5m")
            .build();
    JestResult result = jestClient.execute(search);

    // 2. Get the scroll_id to use in subsequent request
    String scrollId = result.getJsonObject().get("_scroll_id").getAsString();

    // 3. Issue scroll search requests until you have retrieved all results
    boolean moreResults = true;
    while (moreResults) {
        SearchScroll scroll = new SearchScroll.Builder(scrollId, "5m")
                .setParameter(Parameters.SIZE, size).build();
        result = client.execute(scroll);
        def hits = result.getJsonObject().getAsJsonObject("hits").getAsJsonArray("hits");
        moreResults = hits.size() > 0;
    }

您需要使用上面的代码修改您的process和方法。handleBatch它应该很简单,如果没有,请告诉我。

于 2016-02-15T05:00:30.120 回答