springboot2如何集成ElasticSearch6.4.3
作者:琴瑟裹腹
这篇文章主要介绍了springboot2如何集成ElasticSearch6.4.3问题,具有很好的参考价值,希望对大家有所帮助。如有错误或未考虑完全的地方,望不吝赐教
springboot2集成ElasticSearch6.4.3
- springboot版本:2.0.0
- ES版本:6.4.3
es的服务器部署过程不再赘述,网上资源很多。
(1)pom文件
<dependency> <groupId>org.elasticsearch</groupId> <artifactId>elasticsearch</artifactId> <version>6.4.3</version> </dependency> <!-- https://mvnrepository.com/artifact/org.elasticsearch.client/transport --> <dependency> <groupId>org.elasticsearch.client</groupId> <artifactId>transport</artifactId> <version>6.4.3</version> <exclusions> <exclusion> <groupId>org.elasticsearch</groupId> <artifactId>elasticsearch</artifactId> </exclusion> </exclusions> </dependency>
(2)yml文件
spring: data: elasticsearch: cluster-name: es ip: 10.10.77.142 port : 9300 pool : 1 logPath : 1 # 选择日志存入的方式,1 将日志存入ElasticSearch;2存入数据库
(3)创建ElasticsearchConfig类
进行ES的初始化连接
import org.elasticsearch.client.transport.TransportClient; import org.elasticsearch.common.settings.Settings; import org.elasticsearch.common.transport.TransportAddress; import org.elasticsearch.transport.client.PreBuiltTransportClient; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.beans.factory.annotation.Value; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import java.net.InetAddress; /** * Created by dell on 2019/5/30. */ @Configuration public class ElasticsearchConfig { private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchConfig.class); /** * elk集群地址 */ @Value("${spring.data.elasticsearch.ip}") private String hostName; /** * 端口 */ @Value("${spring.data.elasticsearch.port}") private String port; /** * 集群名称 */ @Value("${spring.data.elasticsearch.cluster-name}") private String clusterName; /** * 连接池 */ @Value("${spring.data.elasticsearch.pool}") private String poolSize; /** * Bean name default 函数名字 * * @return */ @Bean(name = "transportClient") public TransportClient transportClient() { LOGGER.info("Elasticsearch初始化开始。。。。。"); TransportClient transportClient = null; try { // 配置信息 Settings esSetting = Settings.builder() .put("cluster.name", clusterName) //集群名字 .put("client.transport.sniff", true)//增加嗅探机制,找到ES集群 .put("thread_pool.search.size", Integer.parseInt(poolSize))//增加线程池个数,暂时设为5 .build(); //配置信息Settings自定义 transportClient = new PreBuiltTransportClient(esSetting); TransportAddress transportAddress = new TransportAddress(InetAddress.getByName(hostName), Integer.valueOf(port)); transportClient.addTransportAddresses(transportAddress); } catch (Exception e) { LOGGER.error("elasticsearch TransportClient create error!!", e); } return transportClient; } }
(4)创建ES分页工具
import java.util.List; import java.util.Map; /** * Created by dell on 2019/5/30. */ public class EsPage { /** * 当前页 */ private int currentPage; /** * 每页显示多少条 */ private int pageSize; /** * 总记录数 */ private int recordCount; /** * 本页的数据列表 */ private List<Map<String, Object>> recordList; /** * 总页数 */ private int pageCount; /** * 页码列表的开始索引(包含) */ private int beginPageIndex; /** * 页码列表的结束索引(包含) */ private int endPageIndex; /** * 只接受前4个必要的属性,会自动的计算出其他3个属性的值 * * @param currentPage * @param pageSize * @param recordCount * @param recordList */ public EsPage(int currentPage, int pageSize, int recordCount, List<Map<String, Object>> recordList) { this.currentPage = currentPage; this.pageSize = pageSize; this.recordCount = recordCount; this.recordList = recordList; // 计算总页码 pageCount = (recordCount + pageSize - 1) / pageSize; // 计算 beginPageIndex 和 endPageIndex // >> 总页数不多于10页,则全部显示 if (pageCount <= 10) { beginPageIndex = 1; endPageIndex = pageCount; } // 总页数多于10页,则显示当前页附近的共10个页码 else { // 当前页附近的共10个页码(前4个 + 当前页 + 后5个) beginPageIndex = currentPage - 4; endPageIndex = currentPage + 5; // 当前面的页码不足4个时,则显示前10个页码 if (beginPageIndex < 1) { beginPageIndex = 1; endPageIndex = 10; } // 当后面的页码不足5个时,则显示后10个页码 if (endPageIndex > pageCount) { endPageIndex = pageCount; beginPageIndex = pageCount - 10 + 1; } } } }
(5)创建ES工具类ElasticsearchUtil
import com.alibaba.fastjson.JSONObject; import org.apache.commons.lang.StringUtils; import org.elasticsearch.action.admin.indices.create.CreateIndexResponse; import org.elasticsearch.action.admin.indices.delete.DeleteIndexResponse; import org.elasticsearch.action.admin.indices.exists.indices.IndicesExistsRequest; import org.elasticsearch.action.admin.indices.exists.indices.IndicesExistsResponse; import org.elasticsearch.action.delete.DeleteResponse; import org.elasticsearch.action.get.GetRequestBuilder; import org.elasticsearch.action.get.GetResponse; import org.elasticsearch.action.index.IndexResponse; import org.elasticsearch.action.search.SearchRequestBuilder; import org.elasticsearch.action.search.SearchResponse; import org.elasticsearch.action.search.SearchType; import org.elasticsearch.action.update.UpdateRequest; import org.elasticsearch.client.transport.TransportClient; import org.elasticsearch.common.text.Text; import org.elasticsearch.index.query.QueryBuilder; import org.elasticsearch.search.SearchHit; import org.elasticsearch.search.SearchHits; import org.elasticsearch.search.aggregations.AggregationBuilders; import org.elasticsearch.search.aggregations.metrics.max.Max; import org.elasticsearch.search.aggregations.metrics.max.MaxAggregationBuilder; import org.elasticsearch.search.fetch.subphase.highlight.HighlightBuilder; import org.elasticsearch.search.sort.SortOrder; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.stereotype.Component; import javax.annotation.PostConstruct; import java.util.ArrayList; import java.util.List; import java.util.Map; import java.util.UUID; /** * Created by dell on 2019/5/30. */ @Component public class ElasticsearchUtil { private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchUtil.class); @Autowired private TransportClient transportClient; private static TransportClient client; /** * @PostContruct是spring框架的注解 spring容器初始化的时候执行该方法 */ @PostConstruct public void init() { client = this.transportClient; } /** * 创建索引 * * @param index * @return */ public static boolean createIndex(String index) { if (!isIndexExist(index)) { LOGGER.info("Index is not exits!"); } CreateIndexResponse indexresponse = client.admin().indices().prepareCreate(index).execute().actionGet(); LOGGER.info("执行建立成功?" + indexresponse.isAcknowledged()); return indexresponse.isAcknowledged(); } /** * 删除索引 * * @param index * @return */ public static boolean deleteIndex(String index) { if (!isIndexExist(index)) { LOGGER.info("Index is not exits!"); } DeleteIndexResponse dResponse = client.admin().indices().prepareDelete(index).execute().actionGet(); if (dResponse.isAcknowledged()) { LOGGER.info("delete index " + index + " successfully!"); } else { LOGGER.info("Fail to delete index " + index); } return dResponse.isAcknowledged(); } /** * 判断索引是否存在 * * @param index * @return */ public static boolean isIndexExist(String index) { IndicesExistsResponse inExistsResponse = client.admin().indices().exists(new IndicesExistsRequest(index)).actionGet(); if (inExistsResponse.isExists()) { LOGGER.info("Index [" + index + "] is exist!"); } else { LOGGER.info("Index [" + index + "] is not exist!"); } return inExistsResponse.isExists(); } /** * @Author: LX * @Description: 判断inde下指定type是否存在 * @Date: 2018/11/6 14:46 * @Modified by: */ public boolean isTypeExist(String index, String type) { return isIndexExist(index) ? client.admin().indices().prepareTypesExists(index).setTypes(type).execute().actionGet().isExists() : false; } /** * 数据添加,正定ID * * @param jsonObject 要增加的数据 * @param index 索引,类似数据库 * @param type 类型,类似表 * @param id 数据ID * @return */ public static String addData(JSONObject jsonObject, String index, String type, String id) { IndexResponse response = client.prepareIndex(index, type, id).setSource(jsonObject).get(); LOGGER.info("addData response status:{},id:{}", response.status().getStatus(), response.getId()); return response.getId(); } /** * 数据添加 * * @param jsonObject 要增加的数据 * @param index 索引,类似数据库 * @param type 类型,类似表 * @return */ public static String addData(JSONObject jsonObject, String index, String type) { return addData(jsonObject, index, type, UUID.randomUUID().toString().replaceAll("-", "").toUpperCase()); } /** * 通过ID删除数据 * @param * @param * @param */ public static SearchHits getDataByFiledList(QueryBuilder builder,String index,String type) { SearchRequestBuilder srb=client.prepareSearch(index).setTypes(type); if (null != builder ){ SearchResponse sr = srb.setQuery(builder).execute().actionGet(); SearchHits hits = sr.getHits(); return hits; }else { LOGGER.info("filedMapList length is 0!"); } return null; } /** * 通过ID删除数据 * * @param index 索引,类似数据库 * @param type 类型,类似表 * @param id 数据ID */ public static void deleteDataById(String index, String type, String id) { DeleteResponse response = client.prepareDelete(index, type, id).execute().actionGet(); LOGGER.info("deleteDataById response status:{},id:{}", response.status().getStatus(), response.getId()); } /** * 聚合查询某个字段最大值 * * @param index 索引,类似数据库 * @param type 类型,类似表 * @param */ public static int max(String index, String type, String file) { //指定分组求最大值 MaxAggregationBuilder maxAgg = AggregationBuilders.max("max_value").field(file); SearchResponse response = client.prepareSearch(index).setTypes(type).addAggregation(maxAgg).get(); Max max = response.getAggregations().get("max_value"); System.out.println(max.getValue()); return (int) max.getValue(); } /** * 通过ID 更新数据 * * @param jsonObject 要增加的数据 * @param index 索引,类似数据库 * @param type 类型,类似表 * @param id 数据ID * @return */ public static void updateDataById(JSONObject jsonObject, String index, String type, String id) { UpdateRequest updateRequest = new UpdateRequest(); updateRequest.index(index).type(type).id(id).doc(jsonObject); client.update(updateRequest); } /** * 通过ID获取数据 * * @param index 索引,类似数据库 * @param type 类型,类似表 * @param id 数据ID * @param fields 需要显示的字段,逗号分隔(缺省为全部字段) * @return */ public static Map<String, Object> searchDataById(String index, String type, String id, String fields) { GetRequestBuilder getRequestBuilder = client.prepareGet(index, type, id); if (StringUtils.isNotEmpty(fields)) { getRequestBuilder.setFetchSource(fields.split(","), null); } GetResponse getResponse = getRequestBuilder.execute().actionGet(); return getResponse.getSource(); } /** * 使用分词查询,并分页 * * @param index 索引名称 * @param type 类型名称,可传入多个type逗号分隔 * @param startPage 当前页 * @param pageSize 每页显示条数 * @param query 查询条件 * @param fields 需要显示的字段,逗号分隔(缺省为全部字段) * @param sortField 排序字段 * @param highlightField 高亮字段 * @return */ public static EsPage searchDataPage(String index, String type, int startPage, int pageSize, QueryBuilder query, String fields, String sortField, String highlightField) { SearchRequestBuilder searchRequestBuilder = client.prepareSearch(index); if (StringUtils.isNotEmpty(type)) { searchRequestBuilder.setTypes(type.split(",")); } searchRequestBuilder.setSearchType(SearchType.QUERY_THEN_FETCH); // 需要显示的字段,逗号分隔(缺省为全部字段) if (StringUtils.isNotEmpty(fields)) { searchRequestBuilder.setFetchSource(fields.split(","), null); } //排序字段 if (StringUtils.isNotEmpty(sortField)) { searchRequestBuilder.addSort(sortField, SortOrder.DESC); } // 高亮(xxx=111,aaa=222) if (StringUtils.isNotEmpty(highlightField)) { HighlightBuilder highlightBuilder = new HighlightBuilder(); //highlightBuilder.preTags("<span style='color:red' >");//设置前缀 //highlightBuilder.postTags("</span>");//设置后缀 // 设置高亮字段 highlightBuilder.field(highlightField); searchRequestBuilder.highlighter(highlightBuilder); } //searchRequestBuilder.setQuery(QueryBuilders.matchAllQuery()); searchRequestBuilder.setQuery(query); // 分页应用 searchRequestBuilder.setFrom(startPage).setSize(pageSize); // 设置是否按查询匹配度排序 searchRequestBuilder.setExplain(true); //打印的内容 可以在 Elasticsearch head 和 Kibana 上执行查询 LOGGER.info("\n{}", searchRequestBuilder); // 执行搜索,返回搜索响应信息 SearchResponse searchResponse = searchRequestBuilder.execute().actionGet(); long totalHits = searchResponse.getHits().totalHits; long length = searchResponse.getHits().getHits().length; LOGGER.debug("共查询到[{}]条数据,处理数据条数[{}]", totalHits, length); if (searchResponse.status().getStatus() == 200) { // 解析对象 List<Map<String, Object>> sourceList = setSearchResponse(searchResponse, highlightField); return new EsPage(startPage, pageSize, (int) totalHits, sourceList); } return null; } /** * 使用分词查询 * * @param index 索引名称 * @param type 类型名称,可传入多个type逗号分隔 * @param query 查询条件 * @param size 文档大小限制 * @param fields 需要显示的字段,逗号分隔(缺省为全部字段) * @param sortField 排序字段 * @param highlightField 高亮字段 * @return */ public static List<Map<String, Object>> searchListData( String index, String type, QueryBuilder query, Integer size, String fields, String sortField, String highlightField) { SearchRequestBuilder searchRequestBuilder = client.prepareSearch(index); if (StringUtils.isNotEmpty(type)) { searchRequestBuilder.setTypes(type.split(",")); } if (StringUtils.isNotEmpty(highlightField)) { HighlightBuilder highlightBuilder = new HighlightBuilder(); // 设置高亮字段 highlightBuilder.field(highlightField); searchRequestBuilder.highlighter(highlightBuilder); } searchRequestBuilder.setQuery(query); if (StringUtils.isNotEmpty(fields)) { searchRequestBuilder.setFetchSource(fields.split(","), null); } searchRequestBuilder.setFetchSource(true); if (StringUtils.isNotEmpty(sortField)) { searchRequestBuilder.addSort(sortField, SortOrder.DESC); } if (size != null && size > 0) { searchRequestBuilder.setSize(size); } //打印的内容 可以在 Elasticsearch head 和 Kibana 上执行查询 LOGGER.info("\n{}", searchRequestBuilder); SearchResponse searchResponse = searchRequestBuilder.execute().actionGet(); long totalHits = searchResponse.getHits().totalHits; long length = searchResponse.getHits().getHits().length; LOGGER.info("共查询到[{}]条数据,处理数据条数[{}]", totalHits, length); if (searchResponse.status().getStatus() == 200) { // 解析对象 return setSearchResponse(searchResponse, highlightField); } return null; } /** * 高亮结果集 特殊处理 * * @param searchResponse * @param highlightField */ private static List<Map<String, Object>> setSearchResponse(SearchResponse searchResponse, String highlightField) { List<Map<String, Object>> sourceList = new ArrayList<Map<String, Object>>(); StringBuffer stringBuffer = new StringBuffer(); for (SearchHit searchHit : searchResponse.getHits().getHits()) { searchHit.getSourceAsMap().put("id", searchHit.getId()); if (StringUtils.isNotEmpty(highlightField)) { System.out.println("遍历 高亮结果集,覆盖 正常结果集" + searchHit.getSourceAsMap()); Text[] text = searchHit.getHighlightFields().get(highlightField).getFragments(); if (text != null) { for (Text str : text) { stringBuffer.append(str.string()); } //遍历 高亮结果集,覆盖 正常结果集 searchHit.getSourceAsMap().put(highlightField, stringBuffer.toString()); } } sourceList.add(searchHit.getSourceAsMap()); } return sourceList; } }
(6)测试controller
package com.supconit.data.algorithm.platform.executor.controller; import com.alibaba.fastjson.JSONObject; import com.supconit.data.algorithm.platform.common.entity.scheme.execution.ExecutionModule; import com.supconit.data.algorithm.platform.common.entity.scheme.execution.ExecutionScheme; import com.supconit.data.algorithm.platform.executor.ElasticSearch.ElasticsearchUtil; import com.supconit.data.algorithm.platform.executor.ElasticSearch.EsPage; import org.apache.commons.lang.StringUtils; import org.elasticsearch.index.query.BoolQueryBuilder; import org.elasticsearch.index.query.QueryBuilder; import org.elasticsearch.index.query.QueryBuilders; import org.elasticsearch.search.SearchHit; import org.elasticsearch.search.SearchHits; import org.elasticsearch.search.aggregations.AggregationBuilder; import org.elasticsearch.search.aggregations.AggregationBuilders; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RestController; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; import java.util.Date; import java.util.List; import java.util.Map; import java.util.Random; /** * Created by dell on 2019/5/29. */ @RestController @RequestMapping("/es") public class esTestDemo { /** * 测试索引 */ private String indexName = "execution_module"; /** * 类型 */ private String esType = "module"; /** * http://127.0.0.1:8080/es/createIndex * 创建索引 * * @param request * @param response * @return */ @RequestMapping("/createIndex") public String createIndex(HttpServletRequest request, HttpServletResponse response) { if (!ElasticsearchUtil.isIndexExist(indexName)) { ElasticsearchUtil.createIndex(indexName); } else { return "索引已经存在"; } return "索引创建成功"; } /** * http://127.0.0.1:8080/es/createIndex * 删除索引 * * @param request * @param response * @return */ @RequestMapping("/deleteIndex") public String deleteIndex(HttpServletRequest request, HttpServletResponse response) { ElasticsearchUtil.deleteIndex(indexName); return "索引创建成功"; } /** * 插入记录 * * @return */ @RequestMapping("/insertJson") public String insertJson() { JSONObject jsonObject = new JSONObject(); jsonObject.put("id", 1); jsonObject.put("age", 25); jsonObject.put("name", "j-" + new Random(100).nextInt()); jsonObject.put("date", new Date()); String id = ElasticsearchUtil.addData(jsonObject, indexName, esType, jsonObject.getString("id")); return id; } /** * 插入记录 * * @return */ @RequestMapping("/insertModel") public String insertModel() { ExecutionModule executionModule = new ExecutionModule(); executionModule.setExecId(4); executionModule.setEndTime(123124124); executionModule.setInstanceId(1); executionModule.setModuleId(1); executionModule.setModuleName("123321"); executionModule.setOrders(4); executionModule.setProgress(100); executionModule.setRetryTime(2); executionModule.setStatus(1); executionModule.setSchemeId(2); // ExecutionScheme executionScheme = new ExecutionScheme(); // executionScheme.setExecId(2); // executionScheme.setExecutorId(1); // executionScheme.setEndTime(1233132131); // executionScheme.setRetryTime(2); // executionScheme.setSchemeName("测试"); JSONObject jsonObject = (JSONObject) JSONObject.toJSON(executionModule); // jsonObject.put("id",executionScheme.getExecId()); String id = ElasticsearchUtil.addData(jsonObject, indexName, esType, jsonObject.getString("id")); return id; } /** * 删除记录 * * @return */ @RequestMapping("/delete") public String delete(String id) { if (StringUtils.isNotBlank(id)) { ElasticsearchUtil.deleteDataById(indexName, esType, id); return "删除id=" + id; } else { return "id为空"; } } /** * 更新数据 * * @return */ @RequestMapping("/update") public String update(String id) { if (StringUtils.isNotBlank(id)) { ExecutionScheme executionScheme = new ExecutionScheme(); executionScheme.setExecId(1); executionScheme.setExecutorId(1); executionScheme.setEndTime(1233132131); executionScheme.setRetryTime(2); executionScheme.setSchemeName("测试123"); JSONObject jsonObject = (JSONObject) JSONObject.toJSON(executionScheme); ElasticsearchUtil.updateDataById(jsonObject, indexName, esType, id); return "id=" + id; } else { return "id为空"; } } /** * 获取数据 * http://127.0.0.1:8080/es/getData?id=2018-04-25%2016:33:44 * * @param id * @return */ @RequestMapping("/getData") public String getData(String id) { if (StringUtils.isNotBlank(id)) { Map<String, Object> map = ElasticsearchUtil.searchDataById(indexName, esType, id, null); return JSONObject.toJSONString(map); } else { return "id为空"; } } /** * 多条件查询 * http://127.0.0.1:8080/es/getData?id=2018-04-25%2016:33:44 * * @param * @return */ @RequestMapping("/getDataByFiled") public SearchHits getDataByFiled() { ExecutionModule executionModule = new ExecutionModule(); executionModule.setExecId(4); executionModule.setEndTime(123124124); executionModule.setInstanceId(1); executionModule.setModuleId(1); executionModule.setModuleName("123 321 123 321"); executionModule.setOrders(4); executionModule.setProgress(100); executionModule.setRetryTime(2); executionModule.setStatus(1); executionModule.setSchemeId(2); QueryBuilder queryBuilder1 = QueryBuilders.matchPhraseQuery("instanceId","1"); QueryBuilder queryBuilder2 = QueryBuilders.matchPhraseQuery("schemeId","1"); QueryBuilder queryBuilder3 = QueryBuilders.matchPhraseQuery("execId","4"); QueryBuilder queryBuilder4 = QueryBuilders.boolQuery().must(queryBuilder1).must(queryBuilder2).must(queryBuilder3); //ExecutionModule 是我自己项目的类,测试换成你自己的类;上面一顿操作QueryBuilder 的意思是根据instanceId、execId、schemeId这三个字段来筛选数据 SearchHits hits = ElasticsearchUtil.getDataByFiledList(queryBuilder4,indexName, esType); for(SearchHit hit:hits) { System.out.println(hit.getSourceAsString()); } return hits; } /** * 查询数据 * 模糊查询 * * @return */ @RequestMapping("/queryMatchData") public String queryMatchData() { BoolQueryBuilder boolQuery = QueryBuilders.boolQuery(); boolean matchPhrase = false; if (matchPhrase == Boolean.TRUE) { //不进行分词搜索 boolQuery.must(QueryBuilders.matchPhraseQuery("name", "m")); } else { boolQuery.must(QueryBuilders.matchQuery("name", "m-m")); } List<Map<String, Object>> list = ElasticsearchUtil. searchListData(indexName, esType, boolQuery, 10, "name", null, "name"); return JSONObject.toJSONString(list); } /** * 通配符查询数据 * 通配符查询 ?用来匹配1个任意字符,*用来匹配零个或者多个字符 * * @return */ @RequestMapping("/queryWildcardData") public String queryWildcardData() { QueryBuilder queryBuilder = QueryBuilders.wildcardQuery("name.keyword", "j-?466"); List<Map<String, Object>> list = ElasticsearchUtil.searchListData(indexName, esType, queryBuilder, 10, null, null, null); return JSONObject.toJSONString(list); } /** * 正则查询 * * @return */ @RequestMapping("/queryRegexpData") public String queryRegexpData() { QueryBuilder queryBuilder = QueryBuilders.regexpQuery("name.keyword", "m--[0-9]{1,11}"); List<Map<String, Object>> list = ElasticsearchUtil.searchListData(indexName, esType, queryBuilder, 10, null, null, null); return JSONObject.toJSONString(list); } /** * 查询数字范围数据 * * @return */ @RequestMapping("/queryIntRangeData") public String queryIntRangeData() { BoolQueryBuilder boolQuery = QueryBuilders.boolQuery(); boolQuery.must(QueryBuilders.rangeQuery("age").from(21) .to(25)); List<Map<String, Object>> list = ElasticsearchUtil.searchListData(indexName, esType, boolQuery, 10, null, null, null); return JSONObject.toJSONString(list); } /** * 查询日期范围数据 * * @return */ @RequestMapping("/queryDateRangeData") public String queryDateRangeData() { BoolQueryBuilder boolQuery = QueryBuilders.boolQuery(); boolQuery.must(QueryBuilders.rangeQuery("date").from("2018-04-25T08:33:44.840Z") .to("2019-04-25T10:03:08.081Z")); List<Map<String, Object>> list = ElasticsearchUtil.searchListData(indexName, esType, boolQuery, 10, null, null, null); return JSONObject.toJSONString(list); } /** * 查询分页 * * @param startPage 第几条记录开始 * 从0开始 * 第1页 :http://127.0.0.1:8080/es/queryPage?startPage=0&pageSize=2 * 第2页 :http://127.0.0.1:8080/es/queryPage?startPage=2&pageSize=2 * @param pageSize 每页大小 * @return */ @RequestMapping("/queryPage") public String queryPage(String startPage, String pageSize) { if (StringUtils.isNotBlank(startPage) && StringUtils.isNotBlank(pageSize)) { BoolQueryBuilder boolQuery = QueryBuilders.boolQuery(); boolQuery.must(QueryBuilders.rangeQuery("date").from("2018-04-25T08:33:44.840Z") .to("2019-04-25T10:03:08.081Z")); EsPage list = ElasticsearchUtil.searchDataPage(indexName, esType, Integer.parseInt(startPage), Integer.parseInt(pageSize), boolQuery, null, null, null); return JSONObject.toJSONString(list); } else { return "startPage或者pageSize缺失"; } } @RequestMapping("/queryMax") public int queryMaxId(String file) { if (StringUtils.isNotBlank(file) ) { AggregationBuilder aggregationBuilder = AggregationBuilders.max("max_value").field(file); int d = (int)ElasticsearchUtil.max(indexName, esType,file); return d; } else { return 0; } } }
总结
OK~大功告成!
以上为个人经验,希望能给大家一个参考,也希望大家多多支持脚本之家。