百度360必应搜狗淘宝本站头条
当前位置:网站首页 > 技术教程 > 正文

springboot + Elasticsearch 实现商品搜索、分页、排序、过滤功能

mhr18 2024-11-19 06:53 16 浏览 0 评论

在Spring Boot中结合Elasticsearch和Redis实现商品搜索、分页、排序和过滤功能是一个常见的需求。以下是一个基本的实现示例,其中涉及到了Spring Boot、Spring Data Elasticsearch和Spring Data Redis。

项目依赖

首先,在pom.xml中添加必要的依赖:

<dependencies>  
    <!-- Spring Boot Starter Web -->  
    <dependency>  
        <groupId>org.springframework.boot</groupId>  
        <artifactId>spring-boot-starter-web</artifactId>  
    </dependency>  
      
    <!-- Spring Data Elasticsearch -->  
    <dependency>  
        <groupId>org.springframework.boot</groupId>  
        <artifactId>spring-boot-starter-data-elasticsearch</artifactId>  
    </dependency>  
  
    <!-- Spring Data Redis -->  
    <dependency>  
        <groupId>org.springframework.boot</groupId>  
        <artifactId>spring-boot-starter-data-redis</artifactId>  
    </dependency>  
  
    <!-- Jedis (optional, for Redis connection) -->  
    <dependency>  
        <groupId>redis.clients</groupId>  
        <artifactId>jedis</artifactId>  
    </dependency>  
      
    <!-- Lombok (for getter/setter/etc) -->  
    <dependency>  
        <groupId>org.projectlombok</groupId>  
        <artifactId>lombok</artifactId>  
        <scope>provided</scope>  
    </dependency>  
</dependencies>

配置文件

在application.yml中配置Elasticsearch和Redis:

spring:  
  data:  
    elasticsearch:  
      cluster-nodes: localhost:9200  
      cluster-name: my-application  
  
  redis:  
    host: localhost  
    port: 6379

商品实体类

创建一个商品实体类:

import lombok.Data;  
import org.springframework.data.annotation.Id;  
import org.springframework.data.elasticsearch.annotations.Document;  
  
@Data  
@Document(indexName = "products")  
public class Product {  
    @Id  
    private String id;  
    private String name;  
    private String description;  
    private Double price;  
    private String category;  
    // 其他字段  
}

Elasticsearch Repository

创建一个Elasticsearch的Repository接口:

import org.springframework.data.elasticsearch.repository.ElasticsearchRepository;  
import org.springframework.stereotype.Repository;  
  
@Repository  
public interface ProductRepository extends ElasticsearchRepository<Product, String> {  
    // 这里可以定义一些自定义的查询方法  
}

Redis Service

创建一个简单的Redis Service用于缓存:

import org.springframework.beans.factory.annotation.Autowired;  
import org.springframework.cache.annotation.Cacheable;  
import org.springframework.data.redis.core.RedisTemplate;  
import org.springframework.stereotype.Service;  
  
import java.util.List;  
  
@Service  
public class RedisService {  
  
    @Autowired  
    private RedisTemplate<String, Object> redisTemplate;  
  
    @Cacheable(value = "products", key = "#root.method.name")  
    public List<Product> getCachedProducts() {  
        // 从数据库或者Elasticsearch获取商品列表并缓存  
        // 这里只是一个示例,实际调用可能复杂得多  
        return null; // 替换为实际商品列表  
    }  
  
    // 其他缓存相关的方法  
}

商品服务类

创建一个服务类处理商品搜索、分页、排序和过滤:

import org.elasticsearch.index.query.QueryBuilders;  
import org.elasticsearch.search.fetch.subphase.highlight.HighlightBuilder;  
import org.elasticsearch.search.sort.SortBuilders;  
import org.elasticsearch.search.sort.SortOrder;  
import org.springframework.beans.factory.annotation.Autowired;  
import org.springframework.data.domain.Page;  
import org.springframework.data.domain.PageRequest;  
import org.springframework.data.domain.Pageable;  
import org.springframework.data.elasticsearch.core.ElasticsearchRestTemplate;  
import org.springframework.data.elasticsearch.core.query.NativeSearchQueryBuilder;  
import org.springframework.data.elasticsearch.core.query.NativeSearchQuery;  
import org.springframework.stereotype.Service;  
  
@Service  
public class ProductService {  
  
    @Autowired  
    private ProductRepository productRepository;  
  
    @Autowired  
    private ElasticsearchRestTemplate elasticsearchRestTemplate;  
  
    @Autowired  
    private RedisService redisService;  
  
    public Page<Product> searchProducts(String keyword, String category, int page, int size, String sortField, SortOrder sortOrder) {  
        Pageable pageable = PageRequest.of(page, size);  
  
        NativeSearchQuery searchQuery = new NativeSearchQueryBuilder()  
                .withQuery(QueryBuilders.multiMatchQuery(keyword, "name", "description"))  
                .withPageable(pageable)  
                .withSort(SortBuilders.fieldSort(sortField).order(sortOrder))  
                .withFilter(QueryBuilders.termQuery("category", category))  
                .build();  
  
        // 尝试从缓存获取  
        List<Product> cachedProducts = redisService.getCachedProducts();  
        if (cachedProducts != null && !cachedProducts.isEmpty()) {  
            // 如果缓存命中,可以进一步处理缓存数据(如分页、排序)  
            // 这里为了简单,直接使用Elasticsearch查询  
        }  
  
        return elasticsearchRestTemplate.queryForPage(searchQuery, Product.class);  
    }  
  
    // 其他商品相关的方法  
}

控制器

创建一个控制器提供REST API:

import org.elasticsearch.search.sort.SortOrder;  
import org.springframework.beans.factory.annotation.Autowired;  
import org.springframework.data.domain.Page;  
import org.springframework.web.bind.annotation.GetMapping;  
import org.springframework.web.bind.annotation.RequestParam;  
import org.springframework.web.bind.annotation.RestController;  
  
@RestController  
public class ProductController {  
  
    @Autowired  
    private ProductService productService;  
  
    @GetMapping("/search")  
    public Page<Product> search(  
            @RequestParam String keyword,  
            @RequestParam(required = false) String category,  
            @RequestParam(defaultValue = "0") int page,  
            @RequestParam(defaultValue = "10") int size,  
            @RequestParam(defaultValue = "price") String sortField,  
            @RequestParam(defaultValue = "asc") SortOrder sortOrder) {  
          
        return productService.searchProducts(keyword, category, page, size, sortField, sortOrder);  
    }  
}

运行项目

确保Elasticsearch和Redis服务已经启动,然后运行Spring Boot应用程序。你可以通过访问类似http://localhost:8080/search?keyword=some_keyword来进行商品搜索。

注意事项

  1. Elasticsearch索引管理:在实际生产环境中,你可能需要更精细地管理Elasticsearch索引,包括映射、分词器等。
  2. 缓存策略:这里的缓存策略非常简单,只是示例。实际项目中可能需要更复杂的缓存机制和策略。
  3. 安全性:对于实际项目,请确保添加适当的安全措施,如身份验证和授权。
  4. 性能优化:对于大规模数据,请确保对Elasticsearch和Redis进行适当的性能优化。

相关推荐

【推荐】一个开源免费、AI 驱动的智能数据管理系统,支持多数据库

如果您对源码&技术感兴趣,请点赞+收藏+转发+关注,大家的支持是我分享最大的动力!!!.前言在当今数据驱动的时代,高效、智能地管理数据已成为企业和个人不可或缺的能力。为了满足这一需求,我们推出了这款开...

Pure Storage推出统一数据管理云平台及新闪存阵列

PureStorage公司今日推出企业数据云(EnterpriseDataCloud),称其为组织在混合环境中存储、管理和使用数据方式的全面架构升级。该公司表示,EDC使组织能够在本地、云端和混...

对Java学习的10条建议(对java课程的建议)

不少Java的初学者一开始都是信心满满准备迎接挑战,但是经过一段时间的学习之后,多少都会碰到各种挫败,以下北风网就总结一些对于初学者非常有用的建议,希望能够给他们解决现实中的问题。Java编程的准备:...

SQLShift 重大更新:Oracle→PostgreSQL 存储过程转换功能上线!

官网:https://sqlshift.cn/6月,SQLShift迎来重大版本更新!作为国内首个支持Oracle->OceanBase存储过程智能转换的工具,SQLShift在过去一...

JDK21有没有什么稳定、简单又强势的特性?

佳未阿里云开发者2025年03月05日08:30浙江阿里妹导读这篇文章主要介绍了Java虚拟线程的发展及其在AJDK中的实现和优化。阅前声明:本文介绍的内容基于AJDK21.0.5[1]以及以上...

「松勤软件测试」网站总出现404 bug?总结8个原因,不信解决不了

在进行网站测试的时候,有没有碰到过网站崩溃,打不开,出现404错误等各种现象,如果你碰到了,那么恭喜你,你的网站出问题了,是什么原因导致网站出问题呢,根据松勤软件测试的总结如下:01数据库中的表空间不...

Java面试题及答案最全总结(2025版)

大家好,我是Java面试陪考员最近很多小伙伴在忙着找工作,给大家整理了一份非常全面的Java面试题及答案。涉及的内容非常全面,包含:Spring、MySQL、JVM、Redis、Linux、Sprin...

数据库日常运维工作内容(数据库日常运维 工作内容)

#数据库日常运维工作包括哪些内容?#数据库日常运维工作是一个涵盖多个层面的综合性任务,以下是详细的分类和内容说明:一、数据库运维核心工作监控与告警性能监控:实时监控CPU、内存、I/O、连接数、锁等待...

分布式之系统底层原理(上)(底层分布式技术)

作者:allanpan,腾讯IEG高级后台工程师导言分布式事务是分布式系统必不可少的组成部分,基本上只要实现一个分布式系统就逃不开对分布式事务的支持。本文从分布式事务这个概念切入,尝试对分布式事务...

oracle 死锁了怎么办?kill 进程 直接上干货

1、查看死锁是否存在selectusername,lockwait,status,machine,programfromv$sessionwheresidin(selectsession...

SpringBoot 各种分页查询方式详解(全网最全)

一、分页查询基础概念与原理1.1什么是分页查询分页查询是指将大量数据分割成多个小块(页)进行展示的技术,它是现代Web应用中必不可少的功能。想象一下你去图书馆找书,如果所有书都堆在一张桌子上,你很难...

《战场兄弟》全事件攻略 一般事件合同事件红装及隐藏职业攻略

《战场兄弟》全事件攻略,一般事件合同事件红装及隐藏职业攻略。《战场兄弟》事件奖励,事件条件。《战场兄弟》是OverhypeStudios制作发行的一款由xcom和桌游为灵感来源,以中世纪、低魔奇幻为...

LoadRunner(loadrunner录制不到脚本)

一、核心组件与工作流程LoadRunner性能测试工具-并发测试-正版软件下载-使用教程-价格-官方代理商的架构围绕三大核心组件构建,形成完整测试闭环:VirtualUserGenerator(...

Redis数据类型介绍(redis 数据类型)

介绍Redis支持五种数据类型:String(字符串),Hash(哈希),List(列表),Set(集合)及Zset(sortedset:有序集合)。1、字符串类型概述1.1、数据类型Redis支持...

RMAN备份监控及优化总结(rman备份原理)

今天主要介绍一下如何对RMAN备份监控及优化,这里就不讲rman备份的一些原理了,仅供参考。一、监控RMAN备份1、确定备份源与备份设备的最大速度从磁盘读的速度和磁带写的带度、备份的速度不可能超出这两...

取消回复欢迎 发表评论: