SpringBoot + Mybatis Plus 整合 Redis

打印 上一主题 下一主题

主题 948|帖子 948|积分 2844


Redis 在用户管理系统中的典型应用场景

联合你的用户增编削查接口,以下是 Redis 的实用场景和具体实现方案:
场景作用实现方案用户信息缓存减少数据库压力,加速查询响应使用 Spring Cache + Redis 注解缓存登录 Token 存储分布式 Session 或 JWT Token 管理将 Token 与用户信息绑定,设置逾期时间接口限流防止恶意刷接口基于 Redis 计数器实现滑动窗口限流重复提交拦截防止用户重复提交表单用 Redis 存储哀求唯一标识,设置短期逾期热点数据预加载提前缓存高频访问数据定时任务 + Redis 存储
Mac M1 安装 Redis 详细步骤

1. 通过 Homebrew 安装 Redis

  1. # 安装 Homebrew(如果尚未安装)
  2. /bin/bash -c "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/HEAD/install.sh)"
  3. # 安装 Redis
  4. brew install redis
复制代码
2. 启动 Redis 服务

  1. # 前台启动(测试用,Ctrl+C 退出)
  2. redis-server
  3. # 后台启动(推荐)
  4. brew services start redis
复制代码
3. 验证安装

  1. # 连接 Redis 客户端
  2. redis-cli ping  # 应返回 "PONG"
复制代码

Spring Boot 3 整合 Redis

1. 添加依赖

在 pom.xml 中:
  1.                 <!-- Spring Cache 核心依赖 -->
  2.         <dependency>
  3.             <groupId>org.springframework.boot</groupId>
  4.             <artifactId>spring-boot-starter-cache</artifactId>
  5.         </dependency>
  6.         <!-- Redis 驱动 -->
  7.         <dependency>
  8.             <groupId>org.springframework.boot</groupId>
  9.             <artifactId>spring-boot-starter-data-redis</artifactId>
  10.         </dependency>
  11.         <dependency>
  12.             <groupId>com.fasterxml.jackson.core</groupId>
  13.             <artifactId>jackson-databind</artifactId>
  14.         </dependency>
复制代码
2. 配置 Redis 毗连

application.yml:
  1. spring:
  2.   data:
  3.     redis:
  4.       host: localhost
  5.       port: 6379
  6.       # password: your-password  # 如果设置了密码
  7.       lettuce:
  8.         pool:
  9.           max-active: 8
  10.           max-idle: 8
复制代码
3. 示例

配置类
  1. package com.example.spring_demo01.config;
  2. import org.springframework.cache.CacheManager;
  3. import org.springframework.context.annotation.Bean;
  4. import org.springframework.context.annotation.Configuration;
  5. import org.springframework.data.redis.cache.RedisCacheConfiguration;
  6. import org.springframework.data.redis.cache.RedisCacheManager;
  7. import org.springframework.data.redis.connection.RedisConnectionFactory;
  8. import org.springframework.data.redis.core.RedisTemplate;
  9. import org.springframework.data.redis.serializer.*;
  10. import java.time.Duration;
  11. @Configuration
  12. public class RedisConfig {
  13.     // 配置 RedisTemplate
  14.     @Bean
  15.     public RedisTemplate<String, Object> redisTemplate(RedisConnectionFactory factory) {
  16.         RedisTemplate<String, Object> template = new RedisTemplate<>();
  17.         template.setConnectionFactory(factory);
  18.         // Key 序列化
  19.         template.setKeySerializer(new StringRedisSerializer());
  20.         // Value 序列化为 JSON
  21.         template.setValueSerializer(new GenericJackson2JsonRedisSerializer());
  22.         // Hash 结构序列化
  23.         template.setHashKeySerializer(new StringRedisSerializer());
  24.         template.setHashValueSerializer(new GenericJackson2JsonRedisSerializer());
  25.         return template;
  26.     }
  27.     // 配置缓存管理器
  28.     @Bean
  29.     public CacheManager cacheManager(RedisConnectionFactory factory) {
  30.         RedisCacheConfiguration config = RedisCacheConfiguration.defaultCacheConfig()
  31.                 .serializeKeysWith(RedisSerializationContext.SerializationPair.fromSerializer(new StringRedisSerializer()))
  32.                 .serializeValuesWith(RedisSerializationContext.SerializationPair.fromSerializer(new GenericJackson2JsonRedisSerializer()))
  33.                 .entryTtl(Duration.ofMinutes(30)); // 设置默认过期时间
  34.         return RedisCacheManager.builder(factory)
  35.                 .cacheDefaults(config)
  36.                 .build();
  37.     }
  38. }
复制代码
接口限流工具类
  1. package com.example.spring_demo01.utils;
  2. import org.springframework.beans.factory.annotation.Autowired;
  3. import org.springframework.data.redis.core.RedisTemplate;
  4. import org.springframework.stereotype.Component;
  5. import java.util.UUID;
  6. import java.util.concurrent.TimeUnit;
  7. @Component
  8. public class RateLimiter {
  9.     @Autowired
  10.     private RedisTemplate<String, Object> redisTemplate;
  11.     public boolean allowRequest(String userId) {
  12.         String key = "rate_limit:" + userId;
  13.         long now = System.currentTimeMillis();
  14.         long windowMs = 60_000; // 1 分钟
  15.         // 移除窗口外的请求记录
  16.         redisTemplate.opsForZSet().removeRangeByScore(key, 0, now - windowMs);
  17.         // 统计当前窗口内请求数
  18.         Long count = redisTemplate.opsForZSet().zCard(key);
  19.         if (count != null && count >= 10) {
  20.             return false; // 超过限制
  21.         }
  22.         // 记录本次请求
  23.         redisTemplate.opsForZSet().add(key, UUID.randomUUID().toString(), now);
  24.         redisTemplate.expire(key, windowMs, TimeUnit.MILLISECONDS);
  25.         return true;
  26.     }
  27. }
复制代码
实体类
  1. package com.example.spring_demo01.entity;
  2. import com.baomidou.mybatisplus.annotation.*;
  3. import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
  4. import lombok.Data;
  5. import java.io.Serializable;
  6. @Data
  7. @TableName("user")
  8. @JsonIgnoreProperties(ignoreUnknown = true) // 防止 JSON 反序列化问题
  9. public class User implements Serializable { // 实现 Serializable
  10.     @TableId(type = IdType.AUTO) // 主键自增
  11.     private Long id;
  12.     private String name;
  13.     private Integer age;
  14.     private String email;
  15. }
复制代码
service层
  1. package com.example.spring_demo01.service.impl;
  2. import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
  3. import com.example.spring_demo01.entity.User;
  4. import com.example.spring_demo01.mapper.UserMapper;
  5. import com.example.spring_demo01.service.UserService;
  6. import org.springframework.cache.annotation.CacheEvict;
  7. import org.springframework.cache.annotation.Cacheable;
  8. import org.springframework.stereotype.Service;
  9. import java.io.Serializable;
  10. @Service
  11. public class UserServiceImpl
  12.         extends ServiceImpl<UserMapper, User>
  13.         implements UserService {
  14.     // 对 MyBatis Plus 的 getById 方法添加缓存
  15.     @Cacheable(value = "user", key = "#id")
  16.     @Override
  17.     public User getById(Serializable id) {
  18.         return super.getById(id);
  19.     }
  20.     // 更新时清除缓存
  21.     @CacheEvict(value = "user", key = "#entity.id")
  22.     @Override
  23.     public boolean updateById(User entity) {
  24.         return super.updateById(entity);
  25.     }
  26.     // 删除时清除缓存
  27.     @CacheEvict(value = "user", key = "#id")
  28.     @Override
  29.     public boolean removeById(Serializable id) {
  30.         return super.removeById(id);
  31.     }
  32. }
复制代码
controller层
  1. package com.example.spring_demo01.controller;
  2. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  3. import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
  4. import com.example.spring_demo01.annotation.AdminOnly;
  5. import com.example.spring_demo01.entity.User;
  6. import com.example.spring_demo01.service.UserService;
  7. import com.example.spring_demo01.utils.RateLimiter;
  8. import lombok.extern.slf4j.Slf4j;
  9. import org.springframework.beans.factory.annotation.Autowired;
  10. import org.springframework.data.redis.core.RedisTemplate;
  11. import org.springframework.web.bind.annotation.*;
  12. import java.time.Duration;
  13. import java.util.List;
  14. import java.util.UUID;
  15. @Slf4j
  16. @RestController
  17. @RequestMapping("/user")
  18. public class UserController {
  19.     @Autowired
  20.     private UserService userService;
  21.     @Autowired
  22.     private RedisTemplate<String, Object> redisTemplate;
  23.     @Autowired
  24.     private RateLimiter rateLimiter;
  25.     // ------------------------------ 增 ------------------------------
  26.     @PostMapping
  27.     public String addUser(@RequestBody User user, @RequestHeader String clientId) {
  28.         String key = "SUBMIT_LOCK:" + clientId + ":" + user.hashCode();
  29.         // 10秒内不允许重复提交
  30.         Boolean success = redisTemplate.opsForValue()
  31.                 .setIfAbsent(key, "", Duration.ofSeconds(10));
  32.         if (Boolean.FALSE.equals(success)) {
  33.             throw new RuntimeException("请勿重复提交");
  34.         }
  35.         userService.save(user);
  36.         return "新增成功";
  37.     }
  38.     // ------------------------------ 删 ------------------------------
  39.     @DeleteMapping("/{id}")
  40.     public String deleteUser(@PathVariable Long id) {
  41.         userService.removeById(id);
  42.         return "删除成功";
  43.     }
  44.     @DeleteMapping("/batch")
  45.     public String deleteBatch(@RequestBody List<Long> ids) {
  46.         userService.removeByIds(ids);
  47.         return "批量删除成功";
  48.     }
  49.     // ------------------------------ 改 ------------------------------
  50.     @PutMapping
  51.     public String updateUser(@RequestBody User user) {
  52.         userService.updateById(user);
  53.         return "更新成功";
  54.     }
  55.     // ------------------------------ 查 ------------------------------
  56.     @GetMapping("/{id}")
  57.     @AdminOnly
  58.     public User getUserById(@PathVariable Long id) {
  59.         return userService.getById(id);
  60.     }
  61.     @GetMapping("/list")
  62.     public List<User> listUsers(
  63.             @RequestParam(required = false) String name,
  64.             @RequestParam(required = false) Integer age) {
  65.         QueryWrapper<User> wrapper = new QueryWrapper<>();
  66.         if (name != null) {
  67.             wrapper.like("name", name); // 模糊查询姓名
  68.         }
  69.         if (age != null) {
  70.             wrapper.eq("age", age);     // 精确查询年龄
  71.         }
  72.         return userService.list(wrapper);
  73.     }
  74.    
  75.     @GetMapping("/page")
  76.     public Page<User> pageUsers(
  77.             @RequestParam(defaultValue = "1") Integer pageNum,
  78.             @RequestParam(defaultValue = "10") Integer pageSize,
  79.             @RequestHeader(value = "Authorization") String token) {
  80.         // 从 Token 中获取用户ID
  81.         log.info("token:{}", token);
  82.         log.info("User:{}", redisTemplate.opsForValue().get(token.split(" ")[1]));
  83.         User user = (User) redisTemplate.opsForValue().get(token.split(" ")[1]);
  84.         if (user == null) throw new RuntimeException("未登录");
  85.         // 限流校验
  86.         if (!rateLimiter.allowRequest("PAGE_" + user.getId())) {
  87.             throw new RuntimeException("请求过于频繁");
  88.         }
  89.         return userService.page(new Page<>(pageNum, pageSize));
  90.     }
  91.     // ------------------------------ other ------------------------------
  92.     @GetMapping("/error")
  93.     public String getError() {
  94.         throw new RuntimeException();
  95.     }
  96.     @PostMapping("/login")
  97.     public String login(@RequestBody User user) {
  98.         log.info("login user:{}", user);
  99.         // 验证用户逻辑(示例简化)
  100.         User dbUser = userService.getOne(new QueryWrapper<User>()
  101.                 .eq("id", user.getId())
  102.                 .eq("name", user.getName()));
  103.         if (dbUser == null) {
  104.             throw new RuntimeException("登录失败");
  105.         }
  106.         // 生成 Token 并存储
  107.         String token = "TOKEN_" + UUID.randomUUID();
  108.         redisTemplate.opsForValue().set(
  109.                 token,
  110.                 dbUser,
  111.                 Duration.ofMinutes(30)
  112.         );
  113.         return token;
  114.     }
  115. }
复制代码
在启动类添加注解:
  1. package com.example.spring_demo01;
  2. import org.mybatis.spring.annotation.MapperScan;
  3. import org.springframework.boot.SpringApplication;
  4. import org.springframework.boot.autoconfigure.SpringBootApplication;
  5. import org.springframework.boot.web.servlet.ServletComponentScan;
  6. import org.springframework.cache.annotation.EnableCaching;
  7. @SpringBootApplication
  8. @MapperScan("com.example.spring_demo01.mapper")
  9. @ServletComponentScan // 启用 Servlet 组件扫描(如 Filter、Servlet)
  10. @EnableCaching // 启动缓存,Redis使用
  11. public class SpringDemo01Application {
  12.     public static void main(String[] args) {
  13.         SpringApplication.run(SpringDemo01Application.class, args);
  14.     }
  15. }
复制代码

常见问题排查

Q1: 毗连 Redis 超时



  • 检查服务状态:运行 redis-cli ping 确认 Redis 是否正常运行
  • 查看端口占用:lsof -i :6379
  • 关闭防火墙:sudo ufw allow 6379
Q2: Spring Boot 无法注入 RedisTemplate



  • 确认配置类:添加 @EnableCaching 和 @Configuration
  • 检查序列化器:显式配置序列化方式避免 ClassCastException
    1. @Configuration
    2. public class RedisConfig {
    3.     @Bean
    4.     public RedisTemplate<String, Object> redisTemplate(RedisConnectionFactory factory) {
    5.         RedisTemplate<String, Object> template = new RedisTemplate<>();
    6.         template.setConnectionFactory(factory);
    7.         template.setKeySerializer(new StringRedisSerializer());
    8.         template.setValueSerializer(new GenericJackson2JsonRedisSerializer());
    9.         return template;
    10.     }
    11. }
    复制代码

总结

通过 Redis 你可以为项目快速实现:

  • 高性能缓存层 - 低落数据库负载
  • 分布式会话管理 - 支持横向扩展
  • 精致化流量控制 - 保障系统稳定性

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

耶耶耶耶耶

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表