从 0 到 1:我如何用 Spring Boot 3 + Redis 打造一个生产级通用幂等与防重中间件(含图解 + 代码 + 案例)

GitHubhttps://github.com/songrongzhen/OnceKit
技术栈 :Spring Boot 3.0 + JDK 17 + Spring AOP + Redis + Lua +SpEL
目标:开箱即用、生产就绪、注解驱动、支持高并发防重场景

一、为什么要做这个中间件?

1.1 痛点场景

  • 用户点击"提交订单"按钮多次 → 生成多笔订单
  • 网络超时重试 → 后端重复处理支付回调
  • MQ 消息重复投递 → 账户余额被多次扣减
  • 考生重复提交报名信息 → 数据库出现多条相同身份证记录

这些都违反了 幂等性 (Idempotency)原则:同一操作无论执行多少次,结果应一致

1.2 现有方案的问题

方案 缺点
数据库唯一索引 仅适用于写入场景,无法防"并发穿透"
前端按钮禁用 不可靠(可绕过)
Token 机制 需前后端配合,增加复杂度
手动写 Redis 重复代码多,维护成本高

于是,我决定:用 AOP + 注解 + Redis,打造一个通用、轻量、高性能的幂等中间件

二、整体架构设计

2.1 系统架构图

整个过程在 毫秒级完成 ,且 无数据库压力

2.2 核心组件

组件 职责
@Idempotent 自定义注解,声明幂等规则
IdempotentAspect AOP 切面,拦截带注解的方法
SpelKeyGenerator 使用 Spring SpEL 动态生成唯一 Key
RedisIdempotentStore 基于 Redis 实现原子校验
IdempotentFailureHandler 自定义重复请求处理策略

三、核心代码实现

3.1 注解定义

java 复制代码
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface Idempotent {
   
    String key();
   
    int expire() default 300;
 
    String value() default "1";
}

3.2 AOP 切面逻辑

java 复制代码
@Aspect
public class IdempotentAspect {

    private final IdempotentService idempotentService;
    private final ExpressionParser parser = new SpelExpressionParser();
    private final StandardReflectionParameterNameDiscoverer discoverer =
            new StandardReflectionParameterNameDiscoverer();

    public IdempotentAspect(IdempotentService idempotentService) {
        this.idempotentService = idempotentService;
    }

    @Around("@annotation(idempotent)")
    public Object around(ProceedingJoinPoint joinPoint, Idempotent idempotent) throws Throwable {
        MethodSignature signature = (MethodSignature) joinPoint.getSignature();
        String[] paramNames = discoverer.getParameterNames(signature.getMethod());
        Object[] args = joinPoint.getArgs();

        // 解析 SpEL key
        StandardEvaluationContext context = new StandardEvaluationContext();
        for (int i = 0; i < args.length; i++) {
            context.setVariable(paramNames[i], args[i]);
        }
        String key = parser.parseExpression(idempotent.key()).getValue(context, String.class);

        if (!idempotentService.tryLock(key, idempotent.expire())) {
            if (idempotent.mode() == Idempotent.Mode.REJECT) {
                throw new IllegalStateException("重复请求,请勿重复提交");
            }
            // TODO: RETURN_CACHE 模式(需结果缓存)
        }

        return joinPoint.proceed();
    }
}

3.4 自定义失败处理器(可扩展)

java 复制代码
public interface IdempotentFailureHandler {
    void handle(String key, Method method);
}

@Component
public class DefaultIdempotentFailureHandler implements IdempotentFailureHandler {
    @Override
    public void handle(String key, Method method) {
        // 默认什么都不做,由 AOP 抛出异常
    }
}

四、使用案例

案例 1:下单(防重复下单)

java 复制代码
@PostMapping("/order")
@Idempotent(key = "'order:' + #userId + ':' + #goodsId", expire = 300)
public Result<String> createOrder(
    @RequestParam String userId,
    @RequestParam String goodsId) {
    // 模拟下单逻辑
    orderService.create(userId, goodsId);
    return Result.success("下单成功");
}

若同一用户对同一商品在 5 分钟内重复下单,后续请求将被拒绝。

案例 2:考生报名(防身份证重复)

java 复制代码
@PostMapping("/enroll")
@Idempotent(key = "'enroll:' + #candidate.idCard", expire = 300)
public Result<Void> enroll(@RequestBody Candidate candidate) {
    // 防止同一身份证重复报名
    enrollmentService.save(candidate);
    return Result.OK();
}

// 简写一个dto类吧
public class Candidate {
    private String name;
    private String idCard;
    private String phone;
}

key 为 enroll:11010119900307XXXX,5分钟内无法重复提交。

案例 3:秒杀场景(用户 + 商品维度)

java 复制代码
@PostMapping("/seckill")
@Idempotent(key = "'seckill:' + #userId + ':' + #goodsId", expire = 60)
public Result<String> seckill(@RequestParam String userId, @RequestParam Long goodsId) {
    return seckillService.execute(userId, goodsId);
}

即使用户疯狂点击,1 分钟内只允许一次有效请求。

五、性能与可靠性

  • 性能 :Redis SET NX EX 是原子操作,单节点 QPS > 5w+
  • 一致性:基于 Redis 分布式锁语义,天然支持集群
  • 安全性:Key 由业务生成,无注入风险(SpEL 在受控上下文中执行)
  • 资源:Key 自动过期,无内存泄漏风险

✅✅✅我已经将项目完整的放到GitHub上,欢迎大家学习使用,如对你的项目有帮助,帮忙给个点点star🌟

🔧使用超级简单,将项目OnceKit git clone到你本地,然后mvn install,然后在你的项目中引用

然后在你的需要幂等和防止重复提交的接口上加上一行注解就OK

java 复制代码
@Idempotent(key = "'order:' + #userId + ':' + #goodsId", expire = 300)
相关推荐
Q_Q5110082852 小时前
python+django/flask+vue基于深度学习的图书推荐系统
spring boot·python·django·flask·node.js·php
小满、2 小时前
Redis:安装、主从复制、Sentinel 哨兵、Cluster 集群
数据库·redis·redis cluster·redis sentinel·redis 主从复制
落日漫游2 小时前
MySQL vs Redis vs MongoDB:三大数据库
数据库·redis·sql
杜子不疼.2 小时前
AI Ping:大模型时代的“性能罗盘”——从选型到落地的全流程指南
数据库·人工智能·redis
codealy2 小时前
Spring 事务失效的八大场景深度解析
java·spring boot·后端·spring
元闰子2 小时前
20亿tpmC刷新记录,PolarDB做了哪些优化?· VLDB‘25
数据库·redis·mysql
小坏讲微服务3 小时前
Spring Boot 4.0 新特性整合 MyBatis-Plus 完整教程
java·spring boot·后端·spring cloud·微服务·mybatis·mybatis plus
摇滚侠3 小时前
Redis 零基础到进阶,教程简介,Redis 是什么,Redis 能干嘛,Redis 去哪下,Redis 怎么玩,Redis7 新特性,笔记一到八
数据库·redis·笔记
小蒜学长3 小时前
基于Spring Boot家政服务系统的设计与实现(代码+数据库+LW)
java·数据库·spring boot·后端