SpringBoot+Elasticsearch によるデータ検索の実装方法

WBOY
リリース: 2023-05-12 21:04:04
転載
1201 人が閲覧しました

    1. はじめに

    SpringBoot が ElasticSearch に接続する主流の方法は 4 つあります:

    • 方法 1 : Elastic Transport Client を介して es サーバーに接続します。基礎となる層は TCP プロトコルに基づいており、トランスポート モジュールを介してリモート ES サーバーと通信します。ただし、V7.0 以降は使用が正式に推奨されておらず、今後も使用される予定です。 V8.0 から正式に削除されました。

    • 方法 2: Elastic Java Low Level Rest Client を介して ES サーバーに接続します。基礎となる層は、HTTP プロトコルに基づく RESTful API を介してリモート ES サーバーと通信します。最も単純で最も基本的な API は、前の記事で紹介した API 操作ロジックに似ています。

    • 方法 3: Elastic Java High Level Rest Client を介して es サーバーに接続する最下層は、Elastic Java Low Level Rest Client に基づいてカプセル化され、より高度な API を提供します。また、Elastic Transport Client のインターフェイスとパラメーターと一貫性があり、公式に推奨される es クライアントです。

    • 方法 4: JestClient クライアントを介して es サーバーに接続します。これは、HTTP プロトコルに基づいてオープン ソース コミュニティによって開発された es クライアントです。公式によると、インターフェイスとコードはES が公式に提供している Rest よりもデザインが優れている クライアントはよりシンプルで合理的で使いやすい ES サーバー版との互換性はあるが、更新速度はそれほど速くない 現在の ES バージョンは以下にリリースされていますV7.9 ですが、JestClient は V1.0 ~ V6.X バージョンの ES のみをサポートします。

    もう 1 つ注意すべき点があります。それは、バージョン番号の互換性です。

    開発プロセス中、全員がクライアントとサーバーのバージョン番号に特別な注意を払い、可能な限り一貫性を保つ必要があります。たとえば、サーバーのバージョン番号は 6.8.2 です。 、次に es に接続されているクライアントのバージョン番号、できれば 6.8.2 です。プロジェクトの理由で一貫性を保つことができない場合でも、クライアントのバージョン番号は 6.0.0 ~ 6.8.2 である必要があり、サーバーのバージョンを超えてはなりません予期せぬ問題が発生しました。クライアントのバージョンが 7.0.4 の場合、この時点でプログラムはさまざまなエラーを報告し、使用できなくなることもあります。

    なぜこれを行うのですか? 主な理由は es サーバーです。上位バージョンは下位バージョンと互換性がありません。es6 と es7 の一部の API リクエスト パラメーター構造は大きく異なるため、クライアントとサーバーのバージョン番号も同様に一貫性を保つ必要があります。できるだけ。

    これ以上ナンセンスではないので、直接コードに進みましょう!

    2. コードの練習

    この記事で使用されている SpringBoot のバージョン番号は、サーバーである 2.1.0.RELEASE です。バージョン番号は 6.8.2 で、クライアントは公式に推奨されている Elastic Java High Level Rest Client バージョン番号 6.4.2 を使用します。これは SpringBoot バージョンと互換性があり、便利です。

    2.1. 依存関係のインポート

    <!--elasticsearch-->
    <dependency>
        <groupId>org.elasticsearch</groupId>
        <artifactId>elasticsearch</artifactId>
        <version>6.4.2</version>
    </dependency>
    <dependency>
        <groupId>org.elasticsearch.client</groupId>
        <artifactId>elasticsearch-rest-client</artifactId>
        <version>6.4.2</version>
    </dependency>
    <dependency>
        <groupId>org.elasticsearch.client</groupId>
        <artifactId>elasticsearch-rest-high-level-client</artifactId>
        <version>6.4.2</version>
    </dependency>
    ログイン後にコピー

    2.2. 環境変数の設定

    application.properties グローバル設定ファイルで、elasticsearch カスタム環境変数を設定します。

    elasticsearch.scheme=http
    elasticsearch.address=127.0.0.1:9200
    elasticsearch.userName=
    elasticsearch.userPwd=
    elasticsearch.socketTimeout=5000
    elasticsearch.connectTimeout=5000
    elasticsearch.connectionRequestTimeout=5000
    ログイン後にコピー

    2.3. elasticsearch の設定クラスを作成します

    @Configuration
    public class ElasticsearchConfiguration {
    
        private static final Logger log = LoggerFactory.getLogger(ElasticsearchConfiguration.class);
    
    
        private static final int ADDRESS_LENGTH = 2;
    
        @Value("${elasticsearch.scheme:http}")
        private String scheme;
    
        @Value("${elasticsearch.address}")
        private String address;
    
        @Value("${elasticsearch.userName}")
        private String userName;
    
        @Value("${elasticsearch.userPwd}")
        private String userPwd;
    
        @Value("${elasticsearch.socketTimeout:5000}")
        private Integer socketTimeout;
    
        @Value("${elasticsearch.connectTimeout:5000}")
        private Integer connectTimeout;
    
        @Value("${elasticsearch.connectionRequestTimeout:5000}")
        private Integer connectionRequestTimeout;
    
        /**
         * 初始化客户端
         * @return
         */
        @Bean(name = "restHighLevelClient")
        public RestHighLevelClient restClientBuilder() {
            HttpHost[] hosts = Arrays.stream(address.split(","))
                    .map(this::buildHttpHost)
                    .filter(Objects::nonNull)
                    .toArray(HttpHost[]::new);
            RestClientBuilder restClientBuilder = RestClient.builder(hosts);
            // 异步参数配置
            restClientBuilder.setHttpClientConfigCallback(httpClientBuilder -> {
                httpClientBuilder.setDefaultCredentialsProvider(buildCredentialsProvider());
                return httpClientBuilder;
            });
    
            // 异步连接延时配置
            restClientBuilder.setRequestConfigCallback(requestConfigBuilder -> {
                requestConfigBuilder.setConnectionRequestTimeout(connectionRequestTimeout);
                requestConfigBuilder.setSocketTimeout(socketTimeout);
                requestConfigBuilder.setConnectTimeout(connectTimeout);
                return requestConfigBuilder;
            });
    
            return new RestHighLevelClient(restClientBuilder);
        }
    
    
        /**
         * 根据配置创建HttpHost
         * @param s
         * @return
         */
        private HttpHost buildHttpHost(String s) {
            String[] address = s.split(":");
            if (address.length == ADDRESS_LENGTH) {
                String ip = address[0];
                int port = Integer.parseInt(address[1]);
                return new HttpHost(ip, port, scheme);
            } else {
                return null;
            }
        }
    
        /**
         * 构建认证服务
         * @return
         */
        private CredentialsProvider buildCredentialsProvider(){
            final CredentialsProvider credentialsProvider = new BasicCredentialsProvider();
            credentialsProvider.setCredentials(AuthScope.ANY, new UsernamePasswordCredentials(userName,
                    userPwd));
            return credentialsProvider;
        }
    }
    ログイン後にコピー

    この時点でクライアントの設定は完了し、プロジェクトが開始されると自動的に Spring ioc コンテナに注入されます。

    2.4. インデックス管理

    es で最も重要なのはインデックス ライブラリですが、クライアント側でどのように作成するかは以下を参照してください。

    インデックスの作成

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 创建索引(简单模式)
         * @throws IOException
         */
        @Test
        public void createIndex() throws IOException {
            CreateIndexRequest request = new CreateIndexRequest("cs_index");
            CreateIndexResponse response = client.indices().create(request, RequestOptions.DEFAULT);
            System.out.println(response.isAcknowledged());
        }
    
    
        /**
         * 创建索引(复杂模式)
         * 可以直接把对应的文档结构也一并初始化
         * @throws IOException
         */
        @Test
        public void createIndexComplete() throws IOException {
            CreateIndexRequest request = new CreateIndexRequest();
            //索引名称
            request.index("cs_index");
            //索引配置
            Settings settings = Settings.builder()
                    .put("index.number_of_shards", 3)
                    .put("index.number_of_replicas", 1)
                    .build();
            request.settings(settings);
    
            //映射结构字段
            Map<String, Object> properties = new HashMap();
            properties.put("id", ImmutableBiMap.of("type", "text"));
            properties.put("name", ImmutableBiMap.of("type", "text"));
            properties.put("sex", ImmutableBiMap.of("type", "text"));
            properties.put("age", ImmutableBiMap.of("type", "long"));
            properties.put("city", ImmutableBiMap.of("type", "text"));
            properties.put("createTime", ImmutableBiMap.of("type", "long"));
            Map<String, Object> mapping = new HashMap<>();
            mapping.put("properties", properties);
            //添加一个默认类型
            System.out.println(JSON.toJSONString(request));
            request.mapping("_doc",mapping);
            CreateIndexResponse response = client.indices().create(request, RequestOptions.DEFAULT);
            System.out.println(response.isAcknowledged());
        }
    
    }
    ログイン後にコピー

    インデックスの削除

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 删除索引
         * @throws IOException
         */
        @Test
        public void deleteIndex() throws IOException {
            DeleteIndexRequest request = new DeleteIndexRequest("cs_index1");
            AcknowledgedResponse response = client.indices().delete(request, RequestOptions.DEFAULT);
            System.out.println(response.isAcknowledged());
        }
    
    
    }
    ログイン後にコピー

    クエリ インデックス

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 查询索引
         * @throws IOException
         */
        @Test
        public void getIndex() throws IOException {
            // 创建请求
            GetIndexRequest request = new GetIndexRequest();
            request.indices("cs_index");
            // 执行请求,获取响应
            GetIndexResponse response = client.indices().get(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    
    }
    ログイン後にコピー

    インデックスが存在するかどうかをクエリします

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 检查索引是否存在
         * @throws IOException
         */
        @Test
        public void exists() throws IOException {
            // 创建请求
            GetIndexRequest request = new GetIndexRequest();
            request.indices("cs_index");
            // 执行请求,获取响应
            boolean response = client.indices().exists(request, RequestOptions.DEFAULT);
            System.out.println(response);
        }
    
    }
    ログイン後にコピー

    すべてのインデックス名をクエリします

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 查询所有的索引名称
         * @throws IOException
         */
        @Test
        public void getAllIndices() throws IOException {
            GetAliasesRequest request = new GetAliasesRequest();
            GetAliasesResponse response =  client.indices().getAlias(request,RequestOptions.DEFAULT);
            Map<String, Set<AliasMetaData>> map = response.getAliases();
            Set<String> indices = map.keySet();
            for (String key : indices) {
                System.out.println(key);
            }
        }
    
    }
    ログイン後にコピー

    インデックス マッピング フィールドをクエリします

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 查询索引映射字段
         * @throws IOException
         */
        @Test
        public void getMapping() throws IOException {
            GetMappingsRequest request = new GetMappingsRequest();
            request.indices("cs_index");
            request.types("_doc");
            GetMappingsResponse response = client.indices().getMapping(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    
    
    }
    ログイン後にコピー

    インデックス マッピング フィールドの追加

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class IndexJunit {
    
    
        @Autowired
        private RestHighLevelClient client;
    
        /**
         * 添加索引映射字段
         * @throws IOException
         */
        @Test
        public void addMapping() throws IOException {
            PutMappingRequest request = new PutMappingRequest();
            request.indices("cs_index");
            request.type("_doc");
    
            //添加字段
            Map<String, Object> properties = new HashMap();
            properties.put("accountName", ImmutableBiMap.of("type", "keyword"));
            Map<String, Object> mapping = new HashMap<>();
            mapping.put("properties", properties);
            request.source(mapping);
            PutMappingResponse response = client.indices().putMapping(request, RequestOptions.DEFAULT);
            System.out.println(response.isAcknowledged());
        }
    
    
    }
    ログイン後にコピー

    2.5. ドキュメント管理

    いわゆるドキュメントとは、データのクエリを容易にするためにインデックスにデータを追加するものです。操作内容は下記をご覧ください!

    ドキュメントを追加

    ublic class UserDocument {
    
        private String id;
        private String name;
        private String sex;
        private Integer age;
        private String city;
        private Date createTime;
    
        //省略get、set...
    }
    ログイン後にコピー
    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class DocJunit {
    
        @Autowired
        private RestHighLevelClient client;
    
    
        /**
         * 添加文档
         * @throws IOException
         */
        @Test
        public void addDocument() throws IOException {
            // 创建对象
            UserDocument user = new UserDocument();
            user.setId("1");
            user.setName("里斯");
            user.setCity("武汉");
            user.setSex("男");
            user.setAge(20);
            user.setCreateTime(new Date());
    
            // 创建索引,即获取索引
            IndexRequest request = new IndexRequest();
            // 外层参数
            request.id("1");
            request.index("cs_index");
            request.type("_doc");
            request.timeout(TimeValue.timeValueSeconds(1));
            // 存入对象
            request.source(JSON.toJSONString(user), XContentType.JSON);
            // 发送请求
            System.out.println(request.toString());
            IndexResponse response = client.index(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    
    }
    ログイン後にコピー

    ドキュメントを更新

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class DocJunit {
    
        @Autowired
        private RestHighLevelClient client;
    
    
        /**
         * 更新文档(按需修改)
         * @throws IOException
         */
        @Test
        public void updateDocument() throws IOException {
            // 创建对象
            UserDocument user = new UserDocument();
            user.setId("2");
            user.setName("程咬金");
            user.setCreateTime(new Date());
            // 创建索引,即获取索引
            UpdateRequest request = new UpdateRequest();
            // 外层参数
            request.id("2");
            request.index("cs_index");
            request.type("_doc");
            request.timeout(TimeValue.timeValueSeconds(1));
            // 存入对象
            request.doc(JSON.toJSONString(user), XContentType.JSON);
            // 发送请求
            System.out.println(request.toString());
            UpdateResponse response = client.update(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    
    
    }
    ログイン後にコピー

    ドキュメントを削除

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class DocJunit {
    
        @Autowired
        private RestHighLevelClient client;
    
    
        /**
         * 删除文档
         * @throws IOException
         */
        @Test
        public void deleteDocument() throws IOException {
            // 创建索引,即获取索引
            DeleteRequest request = new DeleteRequest();
            // 外层参数
            request.id("1");
            request.index("cs_index");
            request.type("_doc");
            request.timeout(TimeValue.timeValueSeconds(1));
            // 发送请求
            System.out.println(request.toString());
            DeleteResponse response = client.delete(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    
    
    }
    ログイン後にコピー

    ドキュメントが存在するかどうかをクエリする

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class DocJunit {
    
        @Autowired
        private RestHighLevelClient client;
    
    
        /**
         * 查询文档是不是存在
         * @throws IOException
         */
        @Test
        public void exists() throws IOException {
            // 创建索引,即获取索引
            GetRequest request = new GetRequest();
            // 外层参数
            request.id("3");
            request.index("cs_index");
            request.type("_doc");
            // 发送请求
            System.out.println(request.toString());
            boolean response = client.exists(request, RequestOptions.DEFAULT);
            System.out.println(response);
        }
    }
    ログイン後にコピー

    指定したドキュメントを ID でクエリする#

    @RunWith(SpringJUnit4ClassRunner.class)
    @SpringBootTest(classes = ElasticSearchApplication.class)
    public class DocJunit {
    
        @Autowired
        private RestHighLevelClient client;
    
    
        /**
         * 通过ID,查询指定文档
         * @throws IOException
         */
        @Test
        public void getById() throws IOException {
            // 创建索引,即获取索引
            GetRequest request = new GetRequest();
            // 外层参数
            request.id("1");
            request.index("cs_index");
            request.type("_doc");
            // 发送请求
            System.out.println(request.toString());
            GetResponse response = client.get(request, RequestOptions.DEFAULT);
            System.out.println(response.toString());
        }
    }
    ログイン後にコピー
    #ドキュメントをバッチで追加する

    rreee

    以上がSpringBoot+Elasticsearch によるデータ検索の実装方法の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。

    関連ラベル:
    ソース:yisu.com
    このウェブサイトの声明
    この記事の内容はネチズンが自主的に寄稿したものであり、著作権は原著者に帰属します。このサイトは、それに相当する法的責任を負いません。盗作または侵害の疑いのあるコンテンツを見つけた場合は、admin@php.cn までご連絡ください。
    人気のチュートリアル
    詳細>
    最新のダウンロード
    詳細>
    ウェブエフェクト
    公式サイト
    サイト素材
    フロントエンドテンプレート