java实现es分页查询_如何在elasticsearch里面使用深度分页功能
时间: 2023-12-13 12:02:35 浏览: 335
在 Elasticsearch 中使用深度分页功能需要注意以下几点:
1. 尽量避免使用深度分页功能,因为它会增加网络和计算开销,可能导致性能问题。
2. 深度分页功能是通过设置 from 和 size 参数来实现的。from 参数表示从哪个位置开始查询,size 参数表示每页返回的文档数量。
3. Elasticsearch 默认最多只能返回 10000 条记录,如果需要查询更多的记录,需要设置 index.max_result_window 参数。但是设置太大会占用过多的内存,影响性能。
下面是一个 Java 实现 Elasticsearch 分页查询的示例代码:
```
import org.elasticsearch.action.search.SearchResponse;
import org.elasticsearch.action.search.SearchType;
import org.elasticsearch.client.Client;
import org.elasticsearch.index.query.QueryBuilders;
import org.elasticsearch.search.SearchHit;
import org.elasticsearch.search.SearchHits;
import org.elasticsearch.search.sort.SortBuilders;
import org.elasticsearch.search.sort.SortOrder;
public class ESQuery {
private Client client;
public ESQuery(Client client) {
this.client = client;
}
public void search(String index, String type, int from, int size) {
SearchResponse response = client.prepareSearch(index)
.setTypes(type)
.setQuery(QueryBuilders.matchAllQuery())
.addSort(SortBuilders.fieldSort("_id").order(SortOrder.DESC))
.setSearchType(SearchType.DFS_QUERY_THEN_FETCH)
.setFrom(from)
.setSize(size)
.execute()
.actionGet();
SearchHits hits = response.getHits();
for (SearchHit hit : hits) {
System.out.println(hit.getSourceAsString());
}
}
}
```
调用示例:
```
ESQuery esQuery = new ESQuery(client);
esQuery.search("my_index", "my_type", 0, 10); // 查询第一页,每页10条记录
esQuery.search("my_index", "my_type", 10, 10); // 查询第二页,每页10条记录,从第11条记录开始
```
阅读全文