elasticSearch学习(九)

时间:2022-07-23
本文章向大家介绍elasticSearch学习(九),主要内容包括其使用实例、应用技巧、基本知识点总结和需要注意事项,具有一定的参考价值,需要的朋友可以参考一下。

模拟京东项目

此次项目实战采用java爬虫爬取京东的数据放在es数据源中,然后通过页面来模拟京东搜索。

创建项目

创建项目并引入相关pom依赖

相关文件:

		implementation 'org.springframework.boot:spring-boot-starter-thymeleaf'
    implementation 'org.springframework.boot:spring-boot-configuration-processor'
  
		// https://mvnrepository.com/artifact/org.jsoup/jsoup
    compile group: 'org.jsoup', name: 'jsoup', version: '1.13.1'

静态资源文件都可以从我的项目中直接拉取

项目结构如下

Controller

package com.cxy.es.controller;

import com.cxy.es.service.JdService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;

import java.io.IOException;

/**
 * @program: elasticSearch
 * @description: 控制层
 * @author: cuixy
 * @create: 2020-07-18 10:20
 **/
@Controller
public class IndexController {

    @Autowired
    JdService jdService;


    //添加数据到es接口
    @GetMapping("/insert/{keyword}")
    @ResponseBody
    public Boolean insertToEs(@PathVariable("keyword") String keyword) throws IOException {
        return jdService.insertToEs(keyword);
    }

    /**
     * 跳转首页
     *
     * @return
     */
    @RequestMapping("/")
    public String toIndex() {
        return "index";
    }

}

Service

package com.cxy.es.service;

import com.cxy.es.entity.Content;
import com.cxy.es.utils.HtmlParseUtils;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.elasticsearch.action.bulk.BulkRequest;
import org.elasticsearch.action.bulk.BulkResponse;
import org.elasticsearch.action.index.IndexRequest;
import org.elasticsearch.client.RequestOptions;
import org.elasticsearch.client.RestHighLevelClient;
import org.elasticsearch.common.xcontent.XContentType;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

import java.io.IOException;
import java.util.List;

/**
 * @program: elasticSearch
 * @description:
 * @author: cuixy
 * @create: 2020-07-18 11:19
 **/
@Service
public class JdService {


    @Autowired
    RestHighLevelClient restHighLevelClient;

    //批量插入使用jsoup查询到的数据
    public Boolean insertToEs(String keyword) throws IOException {
        List<Content> contents = HtmlParseUtils.parseJD(keyword);
        //创建批量插入对象
        BulkRequest bulkRequest = new BulkRequest();
        ObjectMapper objectMapper = new ObjectMapper();
        //封装数据
        for (int i = 0; i < contents.size(); i++) {

            bulkRequest.add(
                    new IndexRequest("jd_index")
                            .source(objectMapper.writeValueAsString(contents.get(i)), XContentType.JSON)
            );
        }
        //发送请求进行数据插入
        BulkResponse bulk = restHighLevelClient.bulk(bulkRequest, RequestOptions.DEFAULT);
        return !bulk.hasFailures();  //返回结果是是否出现错误,插入成功则返回false,所以在此要取反
    }
}

实体类

package com.cxy.es.entity;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

/**
 * @program: elasticSearch
 * @description: 京东商品实体类
 * @author: cuixy
 * @create: 2020-07-18 11:10
 **/
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Content {
    private String img;

    private String title;

    private String price;


}

工具类

package com.cxy.es.utils;

import com.cxy.es.entity.Content;
import org.jsoup.Jsoup;
import org.jsoup.nodes.Document;
import org.jsoup.nodes.Element;
import org.jsoup.select.Elements;

import java.io.IOException;
import java.net.URL;
import java.util.ArrayList;
import java.util.List;

/**
 * @program: elasticSearch
 * @description: 爬取京东商品信息。
 * @author: cuixy
 * @create: 2020-07-18 11:08
 **/
public class HtmlParseUtils {

    public static void main(String[] args) throws IOException {
        parseJD("java").forEach(System.out::println);
    }

    public static List<Content> parseJD(String keyWord) throws IOException {
        //获取请求  https://search.jd.com/Search?keyword=java
        String url = "https://search.jd.com/Search?keyword=" + keyWord;
        //根据url解析网页  Jsoup返回的document对象就是javascript中的页面对象,所有在javascript中能够使用的方法在这里都能使用
        Document document = Jsoup.parse(new URL(url), 30000);   //第二个参数为最大连接时间,超时即报错
        //通过document对象获取页面上的一部分元素
        Element element = document.getElementById("J_goodsList");  //element是获取的商品列表的主要信息
        //获取到所有的li元素,商品信息部分是用ul来装载的,所以要先获取到所有的li元素
        Elements elements = element.getElementsByTag("li");
        //通过li标签我们可以获取到每一个li标签中的商品信息,在此我们主要获取三个部分:图片地址,标题,价格
        ArrayList<Content> contentList = new ArrayList<>();
        for (Element el : elements) {  //每一个el都是一个li
            //获取图片地址,在此获取的并不是img的src属性,而是source-data-lazy-img属性
            //原因是因为京东为了追求网页渲染的速度,会在图片渲染之前先渲染一个默认的页面,而真实的图片路径会放在source-data-lazy-img中进行懒加载
            String img = el.getElementsByTag("img").eq(0).attr("src");
            String title = el.getElementsByClass("p-name").eq(0).text();
            String price = el.getElementsByClass("p-price").eq(0).text();
            Content content = new Content(img, title, price);
            contentList.add(content);
        }
        return contentList;
    }


}

效果如下

http://localhost:8080/insert/java 请求接口拉取数据,添加到es中。

接口分页带条件查询信息

数据有了之后,就是做数据展示,在此接口接收查询的关键字和分页的信息进行分页并带条件的查询:

Controller接口代码

 //分页查询数据接口
    @GetMapping("/search/{keyword}/{pageNo}/{pageSize}")
    public List<Map<String, Object>> search(@PathVariable("keyword") String keyword,
                                            @PathVariable("pageNo") int pageNo,
                                            @PathVariable("pageSize") int pageSize) throws IOException {

        return jdService.search(keyword, pageNo, pageSize);
    }

service代码

 //分页查询,高亮效果。
    public List<Map<String, Object>> search(String keyword, int pageNo, int pageSize) throws IOException {
        if (pageNo == 0) {
            pageNo = 1;
        }
        //创建搜索对象
        SearchRequest jd_index = new SearchRequest("jd_index");
        //构建搜索条件
        SearchSourceBuilder searchSourceBuilder = new SearchSourceBuilder();
        //配置分页信息
        searchSourceBuilder.from(pageNo);
        searchSourceBuilder.size(pageSize);

        //封装高亮显示条件
        HighlightBuilder highlightBuilder = new HighlightBuilder();
      	highlightBuilder.requireFieldMatch(true);//多个关键字高亮?
        highlightBuilder.field("title");  //对哪个字段进行高亮
        highlightBuilder.preTags("<span style='color:red'>");  //设置高亮前缀
        highlightBuilder.postTags("</span>");  //高亮后缀


        //构建搜索条件
        TermQueryBuilder query = QueryBuilders.termQuery("title", keyword);
        //封装搜索条件
        searchSourceBuilder.query(query);
        //封装高亮搜索条件
        searchSourceBuilder.highlighter(highlightBuilder);

        //封装搜索对象
        jd_index.source(searchSourceBuilder);
        //发送请求
        SearchResponse search = restHighLevelClient.search(jd_index, RequestOptions.DEFAULT);
        List<Map<String, Object>> list = new ArrayList<>();
        for (SearchHit hit : search.getHits().getHits()) {

            Map<String, HighlightField> highlightFields = hit.getHighlightFields();
            HighlightField title = highlightFields.get("title");  //高亮之后的title
            Map<String, Object> sourceAsMap = hit.getSourceAsMap();  //未高亮之前的结果集
            //接下来就是将高亮的title与结果集中未高亮的title进行替换
            if (title != null) {
                Text[] fragments = title.fragments();
                String newTitle = "";
                for (Text text : fragments) {
                    newTitle += text;
                }
                sourceAsMap.put("title", newTitle);  //替换掉未高亮的title
            }
            list.add(sourceAsMap);


        }

        return list;

    }

在项目中引入vue.min.js和axios.min.js文件:

		<script th:src="@{/js/jquery.min.js}"></script>
    <script th:src="@{/js/vue.min.js}"></script>
    <script th:src="@{/js/axios.min.js}"></script>

修改页面信息,动态绑定搜索框的数据和搜索按钮的单击事件,实现单击搜索按钮就发送请求进行ES库的查询,并且使用v-for将查询结果进行遍历显示。

<!DOCTYPE html>
<html xmlns:th="http://www.thymeleaf.org">

<head>
    <meta charset="utf-8"/>
    <title>cxy-ES仿京东实战</title>
    <link rel="stylesheet" th:href="@{/css/style.css}"/>
    <script th:src="@{/js/jquery.min.js}"></script>
    <script th:src="@{/js/vue.min.js}"></script>
    <script th:src="@{/js/axios.min.js}"></script>
</head>

<body class="pg">
<div class="page" id="app">
    <div id="mallPage" class=" mallist tmall- page-not-market ">

        <!-- 头部搜索 -->
        <div id="header" class=" header-list-app">
            <div class="headerLayout">
                <div class="headerCon ">
                    <!-- Logo-->
                    <h1 id="mallLogo">
                        <img th:src="@{/images/jdlogo.png}" alt="">
                    </h1>

                    <div class="header-extra">

                        <!--搜索-->
                        <div id="mallSearch" class="mall-search">
                            <form name="searchTop" class="mallSearch-form clearfix">
                                <fieldset>
                                    <legend>天猫搜索</legend>
                                    <div class="mallSearch-input clearfix">
                                        <div class="s-combobox" id="s-combobox-685">
                                            <div class="s-combobox-input-wrap">
                                                <input type="text" v-model="keyword" autocomplete="off" id="mq"
                                                       class="s-combobox-input" aria-haspopup="true">
                                            </div>
                                        </div>
                                        <button type="submit" @click.prevent="searchKey" id="searchbtn">搜索</button>
                                    </div>
                                </fieldset>
                            </form>
                            <ul class="relKeyTop">
                                <li><a>Java</a></li>
                                <li><a>前端</a></li>
                                <li><a>Linux</a></li>
                                <li><a>大数据</a></li>
                                <li><a>理财</a></li>
                                <li><a>炒股</a></li>
                            </ul>
                        </div>
                    </div>
                </div>
            </div>
        </div>

        <!-- 商品详情页面 -->
        <div id="content">
            <div class="main">
                <!-- 品牌分类 -->
                <form class="navAttrsForm">
                    <div class="attrs j_NavAttrs" style="display:block">
                        <div class="brandAttr j_nav_brand">
                            <div class="j_Brand attr">
                                <div class="attrKey">
                                    品牌
                                </div>
                                <div class="attrValues">
                                    <ul class="av-collapse row-2">
                                        <li><a href="#"> vue </a></li>
                                        <li><a href="#"> Java </a></li>
                                    </ul>
                                </div>
                            </div>
                        </div>
                    </div>
                </form>

                <!-- 排序规则 -->
                <div class="filter clearfix">
                    <a class="fSort fSort-cur">综合<i class="f-ico-arrow-d"></i></a>
                    <a class="fSort">人气<i class="f-ico-arrow-d"></i></a>
                    <a class="fSort">新品<i class="f-ico-arrow-d"></i></a>
                    <a class="fSort">销量<i class="f-ico-arrow-d"></i></a>
                    <a class="fSort">价格<i class="f-ico-triangle-mt"></i><i class="f-ico-triangle-mb"></i></a>
                </div>

                <!-- 商品详情 -->
                <div class="view grid-nosku">

                    <div class="product" v-for="res in results">
                        <div class="product-iWrap">
                            <!--商品封面-->
                            <div class="productImg-wrap">
                                <a class="productImg">
                                    <img :src="res.img">
                                </a>
                            </div>
                            <!--价格-->
                            <p class="productPrice">
                                <em>{{res.price}}</em>
                            </p>
                            <!--标题-->
                            <p class="productTitle">
                                <a v-html="res.title"></a>
                            </p>
                            <!-- 店铺名 -->
                            <div class="productShop">
                                <span>店铺:xxx </span>
                            </div>
                            <!-- 成交信息 -->
                            <p class="productStatus">
                                <span>月成交<em>999笔</em></span>
                                <span>评价 <a>3</a></span>
                            </p>
                        </div>
                    </div>
                </div>
            </div>
        </div>
    </div>
</div>

<script>
    new Vue({
        el: "#app",
        data: {
            keyword: "",//搜索条件
            results: [] //返回结果集
        },
        methods: {
            searchKey() {
                let key = this.keyword;
                console.log(key);
                axios.get("search/" + key + "/1/10").then(result => {
                    console.log(result);
                    this.results = result.data;
                })
            }
        }
    })

</script>

</body>
</html>

效果如下

完结撒花。