Spring Boot 中使用 Java API 呼叫 Elasticsearch

搜雲庫技術團隊發表於2017-11-06

ElasticSearch 是一個高可用開源全文檢索和分析元件。提供儲存服務,搜尋服務,大資料準實時分析等。一般用於提供一些提供複雜搜尋的應用。

ElasticSearch 提供了一套基於restful風格的全文檢索服務元件。前身是compass,直到2010被一家公司接管進行維護,開始商業化,並提供了ElasticSearch 一些相關的產品,包括大家比較熟悉的 kibana、logstash 以及 ElasticSearch 的一些元件,比如 安全元件shield 。當前最新的Elasticsearch Reference: 版本為 5.6 ,比較應用廣泛的為2.X,直到 2016-12 推出了5.x 版本 ,將版本號調為 5.X 。這是為了和 kibana 和 logstash 等產品版本號進行統一 ElasticSearch 。

準實時:ElasticSearch 是一個準實時的搜尋工具,在一般情況下延時少於一秒。

特點

支援物理上的水平擴充套件,並擁有一套分散式協調的管理功能

操作簡單

單節點的ES,安裝啟動後,會預設建立一個名為elasticsearch的es叢集。如果在區域網中存在該clustr.name,會自動加入該叢集。形成一個ElasticSearch 叢集 。

多節點ES,在同一個區域網內的ES服務,只需要配置為同一個clust.name 名稱即可成為 一個ES叢集。叢集能夠將同一個索引的分片,自動分佈到各個節點。並在高效的提供查詢服務的同時,自動協調每個節點的下線以及上線情況。

restful 風格的API

提供了一套關於索引以及狀態檢視的restful風格介面。至於什麼是Restful風格服務,請移步

談談到底什麼是rest風格架構設計?

對比Solr

Solr與ES都是基於java/lucence來做一套面向文件結構的Nosql結構的資料庫。

支援的資料結構

solr支援 xml json html 等多種資料結構,而ES 僅支援json這種結構。

效能

solr在新建索引時是IO阻塞的,所以如果在新建索引時同時進行搜尋這時候相比ES來的相對較快。所以在實時性上,ElasticSearch 相比還是更好的選擇。

基本概念

Index

定義:類似於mysql中的database。索引只是一個邏輯上的空間,物理上是分為多個檔案來管理的。

命名:必須全小寫

ES中index可能被分為多個分片【對應物理上的lcenne索引】,在實踐過程中每個index都會有一個相應的副 本。主要用來在硬體出現問題時,用來回滾資料的。這也某種程式上,加劇了ES對於記憶體高要求

Type

定義:類似於mysql中的table,根據使用者需求每個index中可以新建任意數量的type。

Document

定義:對應mysql中的row。有點類似於MongoDB中的文件結構,每個Document是一個json格式的文字。

Mapping

更像是一個用來定義每個欄位型別的語義規範在mysql中類似sql語句,在ES中經過包裝後,都被封裝為友好的Restful風格的介面進行操作。這一點也是為什麼開發人員更願意使用ES或者compass這樣的框架而不是直接使用Lucene的一個原因。

Shards & Replicas

定義:能夠為每個索引提供水平的擴充套件以及備份操作。

描述:

**Shards:**在單個節點中,index的儲存始終是有限制,並且隨著儲存的增大會帶來效能的問題。為了解決這個問題,ElasticSearch提供一個能夠分割單個index到叢集各個節點的功能。你可以在新建這個索引時,手動的定義每個索引分片的數量。

**Replicas:**在每個node出現當機或者下線的情況,Replicas能夠在該節點下線的同時將副本同時自動分配到其他仍然可用的節點。而且在提供搜尋的同時,允許進行擴充套件節點的數量,在這個期間並不會出現服務終止的情況。

預設情況下,每個索引會分配5個分片,並且對應5個分片副本,同時會出現一個完整的副本【包括5個分配的副本資料】。

言而總之,用一句話來總結下。ElasticSearch 是一個基於 lucence 可水平擴充套件的自動化近實時全文搜尋服務元件。

Elasticsearch 官方參考文件

準備

環境安裝

只需要參考 Elasticsearch 安裝部分

ELK 叢集 + Redis 叢集 + Nginx ,分散式的實時日誌(資料)蒐集和分析的監控系統搭建,簡單上手使用

測試用例

Github 程式碼

程式碼我已放到 Github ,匯入spring-boot-elasticsearch-demo 專案

github github.com/souyunku/sp…

新增依賴

<dependency>
	<groupId>org.elasticsearch</groupId>
	<artifactId>elasticsearch</artifactId>
	<version>5.5.3</version>
</dependency>
<dependency>
	<groupId>org.elasticsearch.client</groupId>
	<artifactId>transport</artifactId>
	<version>5.5.3</version>
</dependency>
複製程式碼

配置ES Client

@Configuration
public class ElasticsearchConfig {

    private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchConfig.class);

    /**
     * elk叢集地址
     */
    @Value("${elasticsearch.ip}")
    private String hostName;
    /**
     * 埠
     */
    @Value("${elasticsearch.port}")
    private String port;
    /**
     * 叢集名稱
     */
    @Value("${elasticsearch.cluster.name}")
    private String clusterName;

    /**
     * 連線池
     */
    @Value("${elasticsearch.pool}")
    private String poolSize;

    @Bean
    public TransportClient init() {

        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();

            transportClient = new PreBuiltTransportClient(esSetting);
            InetSocketTransportAddress inetSocketTransportAddress = new InetSocketTransportAddress(InetAddress.getByName(hostName), Integer.valueOf(port));
            transportClient.addTransportAddresses(inetSocketTransportAddress);

        } catch (Exception e) {
            LOGGER.error("elasticsearch TransportClient create error!!!", e);
        }

        return transportClient;
    }
}

複製程式碼

引數配置

application.properties

# Elasticsearch
elasticsearch.cluster.name=ymq
elasticsearch.ip=192.168.252.121
elasticsearch.port=9300
elasticsearch.pool=5
複製程式碼

ES 工具類

Elasticsearch 工具類

@Component
public class ElasticsearchUtils {

    private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchUtils.class);

    @Autowired
    private TransportClient transportClient;

    private static TransportClient client;

    @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();
    }

    /**
     * 資料新增,正定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 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());
    }

    /**
     * 通過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 fields   需要顯示的欄位,逗號分隔(預設為全部欄位)
     * @param matchStr 過濾條件(xxx=111,aaa=222)
     * @return
     */
    public static List<Map<String, Object>> searchListData(String index, String type, String fields, String matchStr) {
        return searchListData(index, type, 0, 0, null, fields, null, false, null, matchStr);
    }

    /**
     * 使用分詞查詢
     *
     * @param index       索引名稱
     * @param type        型別名稱,可傳入多個type逗號分隔
     * @param fields      需要顯示的欄位,逗號分隔(預設為全部欄位)
     * @param sortField   排序欄位
     * @param matchPhrase true 使用,短語精準匹配
     * @param matchStr    過濾條件(xxx=111,aaa=222)
     * @return
     */
    public static List<Map<String, Object>> searchListData(String index, String type, String fields, String sortField, boolean matchPhrase, String matchStr) {
        return searchListData(index, type, 0, 0, null, fields, sortField, matchPhrase, null, matchStr);
    }


    /**
     * 使用分詞查詢
     *
     * @param index          索引名稱
     * @param type           型別名稱,可傳入多個type逗號分隔
     * @param size           文件大小限制
     * @param fields         需要顯示的欄位,逗號分隔(預設為全部欄位)
     * @param sortField      排序欄位
     * @param matchPhrase    true 使用,短語精準匹配
     * @param highlightField 高亮欄位
     * @param matchStr       過濾條件(xxx=111,aaa=222)
     * @return
     */
    public static List<Map<String, Object>> searchListData(String index, String type, Integer size, String fields, String sortField, boolean matchPhrase, String highlightField, String matchStr) {
        return searchListData(index, type, 0, 0, size, fields, sortField, matchPhrase, highlightField, matchStr);
    }


    /**
     * 使用分詞查詢
     *
     * @param index          索引名稱
     * @param type           型別名稱,可傳入多個type逗號分隔
     * @param startTime      開始時間
     * @param endTime        結束時間
     * @param size           文件大小限制
     * @param fields         需要顯示的欄位,逗號分隔(預設為全部欄位)
     * @param sortField      排序欄位
     * @param matchPhrase    true 使用,短語精準匹配
     * @param highlightField 高亮欄位
     * @param matchStr       過濾條件(xxx=111,aaa=222)
     * @return
     */
    public static List<Map<String, Object>> searchListData(String index, String type, long startTime, long endTime, Integer size, String fields, String sortField, boolean matchPhrase, String highlightField, String matchStr) {

        SearchRequestBuilder searchRequestBuilder = client.prepareSearch(index);
        if (StringUtils.isNotEmpty(type)) {
            searchRequestBuilder.setTypes(type.split(","));
        }
        BoolQueryBuilder boolQuery = QueryBuilders.boolQuery();

        if (startTime > 0 && endTime > 0) {
            boolQuery.must(QueryBuilders.rangeQuery("processTime")
                    .format("epoch_millis")
                    .from(startTime)
                    .to(endTime)
                    .includeLower(true)
                    .includeUpper(true));
        }

        //搜尋的的欄位
        if (StringUtils.isNotEmpty(matchStr)) {
            for (String s : matchStr.split(",")) {
                String[] ss = s.split("=");
                if (ss.length > 1) {
                    if (matchPhrase == Boolean.TRUE) {
                        boolQuery.must(QueryBuilders.matchPhraseQuery(s.split("=")[0], s.split("=")[1]));
                    } else {
                        boolQuery.must(QueryBuilders.matchQuery(s.split("=")[0], s.split("=")[1]));
                    }
                }

            }
        }

        // 高亮(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(boolQuery);

        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 index          索引名稱
     * @param type           型別名稱,可傳入多個type逗號分隔
     * @param currentPage    當前頁
     * @param pageSize       每頁顯示條數
     * @param startTime      開始時間
     * @param endTime        結束時間
     * @param fields         需要顯示的欄位,逗號分隔(預設為全部欄位)
     * @param sortField      排序欄位
     * @param matchPhrase    true 使用,短語精準匹配
     * @param highlightField 高亮欄位
     * @param matchStr       過濾條件(xxx=111,aaa=222)
     * @return
     */
    public static EsPage searchDataPage(String index, String type, int currentPage, int pageSize, long startTime, long endTime, String fields, String sortField, boolean matchPhrase, String highlightField, String matchStr) {
        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);
        }

        BoolQueryBuilder boolQuery = QueryBuilders.boolQuery();

        if (startTime > 0 && endTime > 0) {
            boolQuery.must(QueryBuilders.rangeQuery("processTime")
                    .format("epoch_millis")
                    .from(startTime)
                    .to(endTime)
                    .includeLower(true)
                    .includeUpper(true));
        }

        // 查詢欄位
        if (StringUtils.isNotEmpty(matchStr)) {
            for (String s : matchStr.split(",")) {
                String[] ss = s.split("=");
                if (matchPhrase == Boolean.TRUE) {
                    boolQuery.must(QueryBuilders.matchPhraseQuery(s.split("=")[0], s.split("=")[1]));
                } else {
                    boolQuery.must(QueryBuilders.matchQuery(s.split("=")[0], s.split("=")[1]));
                }
            }
        }

        // 高亮(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(boolQuery);

        // 分頁應用
        searchRequestBuilder.setFrom(currentPage).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(currentPage, pageSize, (int) totalHits, sourceList);
        }

        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.getSource().put("id", searchHit.getId());

            if (StringUtils.isNotEmpty(highlightField)) {

                System.out.println("遍歷 高亮結果集,覆蓋 正常結果集" + searchHit.getSource());
                Text[] text = searchHit.getHighlightFields().get(highlightField).getFragments();

                if (text != null) {
                    for (Text str : text) {
                        stringBuffer.append(str.string());
                    }
                    //遍歷 高亮結果集,覆蓋 正常結果集
                    searchHit.getSource().put(highlightField, stringBuffer.toString());
                }
            }
            sourceList.add(searchHit.getSource());
        }

        return sourceList;
    }

}

複製程式碼

EsPage.java

public class EsPage {

    // 指定的或是頁面引數
    private int currentPage; // 當前頁
    private int pageSize; // 每頁顯示多少條

    // 查詢es結果
    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;
            }
        }
    }
}

省略 get set
複製程式碼

單元測試

建立索引

@Test
public void createIndexTest() {
	ElasticsearchUtils.createIndex("ymq_index");
	ElasticsearchUtils.createIndex("ymq_indexsssss");
}
複製程式碼

響應

Index [ymq_index] is not exist!
Index is not exits!
執行建立成功?true
Index [ymq_indexsssss] is not exist!
Index is not exits!
執行建立成功?true
複製程式碼

刪除索引

@Test
public void deleteIndexTest() {
	ElasticsearchUtils.deleteIndex("ymq_indexsssss");
}
複製程式碼

響應

Index [ymq_indexsssss] is exist!|
delete index ymq_indexsssss  successfully!
複製程式碼

判斷索引是否存在

@Test
public void isIndexExistTest() {
	ElasticsearchUtils.isIndexExist("ymq_index");
}
複製程式碼

響應

Index [ymq_index] is exist!
複製程式碼

資料新增

@Test
public void addDataTest() {

	for (int i = 0; i < 100; i++) {
		Map<String, Object> map = new HashMap<String, Object>();

		map.put("name", "鵬磊" + i);
		map.put("age", i);
		map.put("interests", new String[]{"閱讀", "學習"});
		map.put("about", "世界上沒有優秀的理念,只有腳踏實地的結果");
		map.put("processTime", new Date());

		ElasticsearchUtils.addData(JSONObject.parseObject(JSONObject.toJSONString(map)), "ymq_index", "about_test", "id=" + i);
	}
}
複製程式碼

響應

addData response status:201,id:id=0
addData response status:201,id:id=1
addData response status:201,id:id=2
addData response status:201,id:id=3
addData response status:201,id:id=4
addData response status:201,id:id=5
addData response status:201,id:id=6
。。。。。。。
複製程式碼

通過ID刪除資料

@Test
public void deleteDataByIdTest() {

	for (int i = 0; i < 10; i++) {
		ElasticsearchUtils.deleteDataById("ymq_index", "about_test", "id=" + i);
	}
}
複製程式碼

響應

deleteDataById response status:200,id:id=0
deleteDataById response status:200,id:id=1
deleteDataById response status:200,id:id=2
deleteDataById response status:200,id:id=3
deleteDataById response status:200,id:id=4
deleteDataById response status:200,id:id=5
deleteDataById response status:200,id:id=6
deleteDataById response status:200,id:id=7
deleteDataById response status:200,id:id=8
deleteDataById response status:200,id:id=9
複製程式碼

通過ID更新資料

/**
 * 通過ID 更新資料
 * <p>
 * jsonObject 要增加的資料
 * index      索引,類似資料庫
 * type       型別,類似表
 * id         資料ID
 */
@Test
public void updateDataByIdTest() {
	Map<String, Object> map = new HashMap<String, Object>();

	map.put("name", "鵬磊");
	map.put("age", 11);
	map.put("interests", new String[]{"閱讀", "學習"});
	map.put("about", "這條資料被修改");
	map.put("processTime", new Date());

	ElasticsearchUtils.updateDataById(JSONObject.parseObject(JSONObject.toJSONString(map)), "ymq_index", "about_test", "id=11");
}
複製程式碼

通過ID獲取資料

/**
 * 通過ID獲取資料
 * <p>
 * index  索引,類似資料庫
 * type   型別,類似表
 * id     資料ID
 * fields 需要顯示的欄位,逗號分隔(預設為全部欄位)
 */
@Test
public void searchDataByIdTest() {
	Map<String, Object> map = ElasticsearchUtils.searchDataById("ymq_index", "about_test", "id=11", null);
	System.out.println(JSONObject.toJSONString(map));
}
複製程式碼

響應

{"name":"鵬磊","about":"這條資料被修改","interests":["閱讀","學習"],"age":11,"processTime":1509966025972}
複製程式碼

使用分詞查詢

/**
 * 使用分詞查詢
 * <p>
 * index          索引名稱
 * type           型別名稱,可傳入多個type逗號分隔
 * startTime      開始時間
 * endTime        結束時間
 * size           文件大小限制
 * fields         需要顯示的欄位,逗號分隔(預設為全部欄位)
 * sortField      排序欄位
 * matchPhrase    true 使用,短語精準匹配
 * highlightField 高亮欄位
 * matchStr       過濾條件(xxx=111,aaa=222)
 */
@Test
public void searchListData() {

	List<Map<String, Object>> list = ElasticsearchUtils.searchListData("ymq_index", "about_test", 1509959382607l, 1509959383865l, 0, "", "", false, "", "name=鵬磊");

	for (Map<String, Object> item : list) {

		System.out.println(JSONObject.toJSONString(item));
	}
}
複製程式碼

響應

{
  "query" : {
    "bool" : {
      "must" : [
        {
          "match" : {
            "name" : {
              "query" : "鵬磊",
              "operator" : "OR",
              "prefix_length" : 0,
              "max_expansions" : 50,
              "fuzzy_transpositions" : true,
              "lenient" : false,
              "zero_terms_query" : "NONE",
              "boost" : 1.0
            }
          }
        }
      ],
      "disable_coord" : false,
      "adjust_pure_negative" : true,
      "boost" : 1.0
    }
  },
  "_source" : {
    "includes" : [ ],
    "excludes" : [ ]
  }
}
- [20171106 19:02:23.923] | [INFO] | [DESKTOP-VG43S0C] | [main] | [i.y.e.e.utils.ElasticsearchUtils] | --> 共查詢到[90]條資料,處理資料條數[10]|
{"name":"鵬磊15","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=15","interests":["閱讀","學習"],"age":15,"processTime":1509965846816}
{"name":"鵬磊18","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=18","interests":["閱讀","學習"],"age":18,"processTime":1509965846849}
{"name":"鵬磊25","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=25","interests":["閱讀","學習"],"age":25,"processTime":1509965846942}
{"name":"鵬磊47","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=47","interests":["閱讀","學習"],"age":47,"processTime":1509965847143}
{"name":"鵬磊48","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=48","interests":["閱讀","學習"],"age":48,"processTime":1509965847156}
{"name":"鵬磊55","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=55","interests":["閱讀","學習"],"age":55,"processTime":1509965847212}
{"name":"鵬磊68","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=68","interests":["閱讀","學習"],"age":68,"processTime":1509965847322}
{"name":"鵬磊73","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=73","interests":["閱讀","學習"],"age":73,"processTime":1509965847375}
{"name":"鵬磊88","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=88","interests":["閱讀","學習"],"age":88,"processTime":1509965847826}
{"name":"鵬磊89","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=89","interests":["閱讀","學習"],"age":89,"processTime":1509965847872}
複製程式碼

使用分詞查詢,並分頁

/**
 * 使用分詞查詢,並分頁
 * <p>
 * index          索引名稱
 * type           型別名稱,可傳入多個type逗號分隔
 * currentPage    當前頁
 * pageSize       每頁顯示條數
 * startTime      開始時間
 * endTime        結束時間
 * fields         需要顯示的欄位,逗號分隔(預設為全部欄位)
 * sortField      排序欄位
 * matchPhrase    true 使用,短語精準匹配
 * highlightField 高亮欄位
 * matchStr       過濾條件(xxx=111,aaa=222)
 */
@Test
public void searchDataPage() {

	EsPage esPage = ElasticsearchUtils.searchDataPage("ymq_index", "about_test", 10, 5, 1509943495299l, 1509943497954l, "", "processTime", false, "about", "about=鵬磊");

	for (Map<String, Object> item : esPage.getRecordList()) {

		System.out.println(JSONObject.toJSONString(item));
	}

}
複製程式碼

響應

- [20171106 19:10:15.738] | [DEBUG] | [DESKTOP-VG43S0C] | [main] | [i.y.e.e.utils.ElasticsearchUtils] | --> 共查詢到[90]條資料,處理資料條數[5]|
遍歷 高亮結果集,覆蓋 正常結果集{name=鵬磊90, about=世界上沒有優秀的理念,只有腳踏實地的結果, id=id=90, interests=[閱讀, 學習], age=90, processTime=1509965847911}
遍歷 高亮結果集,覆蓋 正常結果集{name=鵬磊89, about=世界上沒有優秀的理念,只有腳踏實地的結果, id=id=89, interests=[閱讀, 學習], age=89, processTime=1509965847872}
遍歷 高亮結果集,覆蓋 正常結果集{name=鵬磊88, about=世界上沒有優秀的理念,只有腳踏實地的結果, id=id=88, interests=[閱讀, 學習], age=88, processTime=1509965847826}
遍歷 高亮結果集,覆蓋 正常結果集{name=鵬磊87, about=世界上沒有優秀的理念,只有腳踏實地的結果, id=id=87, interests=[閱讀, 學習], age=87, processTime=1509965847804}
遍歷 高亮結果集,覆蓋 正常結果集{name=鵬磊86, about=世界上沒有優秀的理念,只有腳踏實地的結果, id=id=86, interests=[閱讀, 學習], age=86, processTime=1509965847761}
{"name":"<em>鵬</em><em>磊</em>90","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=90","interests":["閱讀","學習"],"age":90,"processTime":1509965847911}
{"name":"<em>鵬</em><em>磊</em>90<em>鵬</em><em>磊</em>89","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=89","interests":["閱讀","學習"],"age":89,"processTime":1509965847872}
{"name":"<em>鵬</em><em>磊</em>90<em>鵬</em><em>磊</em>89<em>鵬</em><em>磊</em>88","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=88","interests":["閱讀","學習"],"age":88,"processTime":1509965847826}
{"name":"<em>鵬</em><em>磊</em>90<em>鵬</em><em>磊</em>89<em>鵬</em><em>磊</em>88<em>鵬</em><em>磊</em>87","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=87","interests":["閱讀","學習"],"age":87,"processTime":1509965847804}
{"name":"<em>鵬</em><em>磊</em>90<em>鵬</em><em>磊</em>89<em>鵬</em><em>磊</em>88<em>鵬</em><em>磊</em>87<em>鵬</em><em>磊</em>86","about":"世界上沒有優秀的理念,只有腳踏實地的結果","id":"id=86","interests":["閱讀","學習"],"age":86,"processTime":1509965847761}
複製程式碼

程式碼我已放到 Github ,匯入spring-boot-elasticsearch-demo 專案

github github.com/souyunku/sp…

Contact

  • 作者:鵬磊
  • 出處:www.ymq.io
  • Email:admin@souyunku.com
  • 版權歸作者所有,轉載請註明出處
  • Wechat:關注公眾號,搜雲庫,專注於開發技術的研究與知識分享

關注公眾號-搜雲庫
搜雲庫

相關文章