当前位置:   article > 正文

8种方案解决重复提交问题_前端重复提交

前端重复提交

1.什么是幂等

在我们编程中常见幂等

  • select查询天然幂等

  • delete删除也是幂等,删除同一个多次效果一样

  • update直接更新某个值的,幂等

  • update更新累加操作的,非幂等

  • insert非幂等操作,每次新增一条

2.产生原因

由于重复点击或者网络重发 eg:

  • 点击提交按钮两次;

  • 点击刷新按钮;

  • 使用浏览器后退按钮重复之前的操作,导致重复提交表单;

  • 使用浏览器历史记录重复提交表单;

  • 浏览器重复的HTTP请;

  • nginx重发等情况;

  • 分布式RPC的try重发等;

3.解决方案

1)前端js提交禁止按钮可以用一些js组件

2)使用Post/Redirect/Get模式

在提交后执行页面重定向,这就是所谓的Post-Redirect-Get (PRG)模式。简言之,当用户提交了表单后,你去执行一个客户端的重定向,转到提交成功信息页面。这能避免用户按F5导致的重复提交,而其也不会出现浏览器表单重复提交的警告,也能消除按浏览器前进和后退按导致的同样问题。

3)在session中存放一个特殊标志

在服务器端,生成一个唯一的标识符,将它存入session,同时将它写入表单的隐藏字段中,然后将表单页面发给浏览器,用户录入信息后点击提交,在服务器端,获取表单中隐藏字段的值,与session中的唯一标识符比较,相等说明是首次提交,就处理本次请求,然后将session中的唯一标识符移除;不相等说明是重复提交,就不再处理。

4)其他借助使用header头设置缓存控制头Cache-control等方式

比较复杂 不适合移动端APP的应用 这里不详解

5)借助数据库

insert使用唯一索引 update使用 乐观锁 version版本法

这种在大数据量和高并发下效率依赖数据库硬件能力,可针对非核心业务

6)借助悲观锁

使用select … for update ,这种和 synchronized 锁住先查再insert or update一样,但要避免死锁,效率也较差

针对单体 请求并发不大 可以推荐使用

7)借助本地锁(本文重点)

原理:

使用了 ConcurrentHashMap 并发容器 putIfAbsent 方法,和 ScheduledThreadPoolExecutor 定时任务,也可以使用guava cache的机制, gauva中有配有缓存的有效时间也是可以的key的生成 

Content-MD5 

Content-MD5 是指 Body 的 MD5 值,只有当 Body 非Form表单时才计算MD5,计算方式直接将参数和参数名称统一加密MD5

MD5在一定范围类认为是唯一的 近似唯一 当然在低并发的情况下足够了

本地锁只适用于单机部署的应用.

①配置注解

  1. import java.lang.annotation.*;
  2. @Target(ElementType.METHOD)
  3. @Retention(RetentionPolicy.RUNTIME)
  4. @Documented
  5. public @interface Resubmit {
  6.     /**
  7.      * 延时时间 在延时多久后可以再次提交
  8.      *
  9.      * @return Time unit is one second
  10.      */
  11.     int delaySeconds() default 20;
  12. }

②实例化锁

  1. import com.google.common.cache.Cache;
  2. import com.google.common.cache.CacheBuilder;
  3. import lombok.extern.slf4j.Slf4j;
  4. import org.apache.commons.codec.digest.DigestUtils;
  5. import java.util.Objects;
  6. import java.util.concurrent.ConcurrentHashMap;
  7. import java.util.concurrent.ScheduledThreadPoolExecutor;
  8. import java.util.concurrent.ThreadPoolExecutor;
  9. import java.util.concurrent.TimeUnit;
  10. /**
  11.  * @author lijing
  12.  * 重复提交锁
  13.  */
  14. @Slf4j
  15. public final class ResubmitLock {
  16.     private static final ConcurrentHashMap<StringObject> LOCK_CACHE = new ConcurrentHashMap<>(200);
  17.     private static final ScheduledThreadPoolExecutor EXECUTOR = new ScheduledThreadPoolExecutor(5, new ThreadPoolExecutor.DiscardPolicy());
  18.    // private static final Cache<StringObject> CACHES = CacheBuilder.newBuilder()
  19.             // 最大缓存 100 个
  20.    //          .maximumSize(1000)
  21.             // 设置写缓存后 5 秒钟过期
  22.    //         .expireAfterWrite(5, TimeUnit.SECONDS)
  23.    //         .build();
  24.     private ResubmitLock() {
  25.     }
  26.     /**
  27.      * 静态内部类 单例模式
  28.      *
  29.      * @return
  30.      */
  31.     private static class SingletonInstance {
  32.         private static final ResubmitLock INSTANCE = new ResubmitLock();
  33.     }
  34.     public static ResubmitLock getInstance() {
  35.         return SingletonInstance.INSTANCE;
  36.     }
  37.     public static String handleKey(String param) {
  38.         return DigestUtils.md5Hex(param == null ? "" : param);
  39.     }
  40.     /**
  41.      * 加锁 putIfAbsent 是原子操作保证线程安全
  42.      *
  43.      * @param key   对应的key
  44.      * @param value
  45.      * @return
  46.      */
  47.     public boolean lock(final String keyObject value) {
  48.         return Objects.isNull(LOCK_CACHE.putIfAbsent(keyvalue));
  49.     }
  50.     /**
  51.      * 延时释放锁 用以控制短时间内的重复提交
  52.      *
  53.      * @param lock         是否需要解锁
  54.      * @param key          对应的key
  55.      * @param delaySeconds 延时时间
  56.      */
  57.     public void unLock(final boolean lockfinal String keyfinal int delaySeconds) {
  58.         if (lock) {
  59.             EXECUTOR.schedule(() -> {
  60.                 LOCK_CACHE.remove(key);
  61.             }, delaySeconds, TimeUnit.SECONDS);
  62.         }
  63.     }
  64. }

③AOP 切面

  1. import com.alibaba.fastjson.JSONObject;
  2. import com.cn.xxx.common.annotation.Resubmit;
  3. import com.cn.xxx.common.annotation.impl.ResubmitLock;
  4. import com.cn.xxx.common.dto.RequestDTO;
  5. import com.cn.xxx.common.dto.ResponseDTO;
  6. import com.cn.xxx.common.enums.ResponseCode;
  7. import lombok.extern.log4j.Log4j;
  8. import org.aspectj.lang.ProceedingJoinPoint;
  9. import org.aspectj.lang.annotation.Around;
  10. import org.aspectj.lang.annotation.Aspect;
  11. import org.aspectj.lang.reflect.MethodSignature;
  12. import org.springframework.stereotype.Component;
  13. import java.lang.reflect.Method;
  14. /**
  15.  * @ClassName RequestDataAspect
  16.  * @Description 数据重复提交校验
  17.  * @Author lijing
  18.  * @Date 2019/05/16 17:05
  19.  **/
  20. @Log4j
  21. @Aspect
  22. @Component
  23. public class ResubmitDataAspect {
  24.     private final static String DATA = "data";
  25.     private final static Object PRESENT = new Object();
  26.     @Around("@annotation(com.cn.xxx.common.annotation.Resubmit)")
  27.     public Object handleResubmit(ProceedingJoinPoint joinPoint) throws Throwable {
  28.         Method method = ((MethodSignature) joinPoint.getSignature()).getMethod();
  29.         //获取注解信息
  30.         Resubmit annotation = method.getAnnotation(Resubmit.class);
  31.         int delaySeconds = annotation.delaySeconds();
  32.         Object[] pointArgs = joinPoint.getArgs();
  33.         String key = "";
  34.         //获取第一个参数
  35.         Object firstParam = pointArgs[0];
  36.         if (firstParam instanceof RequestDTO) {
  37.             //解析参数
  38.             JSONObject requestDTO = JSONObject.parseObject(firstParam.toString());
  39.             JSONObject data = JSONObject.parseObject(requestDTO.getString(DATA));
  40.             if (data != null) {
  41.                 StringBuffer sb = new StringBuffer();
  42.                 data.forEach((k, v) -> {
  43.                     sb.append(v);
  44.                 });
  45.                 //生成加密参数 使用了content_MD5的加密方式
  46.                 key = ResubmitLock.handleKey(sb.toString());
  47.             }
  48.         }
  49.         //执行锁
  50.         boolean lock = false;
  51.         try {
  52.             //设置解锁key
  53.             lock = ResubmitLock.getInstance().lock(keyPRESENT);
  54.             if (lock) {
  55.                 //放行
  56.                 return joinPoint.proceed();
  57.             } else {
  58.                 //响应重复提交异常
  59.                 return new ResponseDTO<>(ResponseCode.REPEAT_SUBMIT_OPERATION_EXCEPTION);
  60.             }
  61.         } finally {
  62.             //设置解锁key和解锁时间
  63.             ResubmitLock.getInstance().unLock(lockkey, delaySeconds);
  64.         }
  65.     }
  66. }

④注解使用案例

  1. @ApiOperation(value = "保存我的帖子接口", notes = "保存我的帖子接口")
  2.     @PostMapping("/posts/save")
  3.     @Resubmit(delaySeconds = 10)
  4.     public ResponseDTO<BaseResponseDataDTO> saveBbsPosts(@RequestBody @Validated RequestDTO<BbsPostsRequestDTO> requestDto) {
  5.         return bbsPostsBizService.saveBbsPosts(requestDto);
  6.     }

以上就是本地锁的方式进行的幂等提交 使用了Content-MD5 进行加密 只要参数不变,参数加密 密值不变,key存在就阻止提交

当然也可以使用 一些其他签名校验 在某一次提交时先 生成固定签名 提交到后端 根据后端解析统一的签名作为 每次提交的验证token 去缓存中处理即可.

8)借助分布式redis锁 (参考其他)

也可以参考这篇:基于redis的分布式锁的分析与实践

在 pom.xml 中添加上 starter-web、starter-aop、starter-data-redis 的依赖即可

  1. <dependencies>
  2.     <dependency>
  3.         <groupId>org.springframework.boot</groupId>
  4.         <artifactId>spring-boot-starter-web</artifactId>
  5.     </dependency>
  6.     <dependency>
  7.         <groupId>org.springframework.boot</groupId>
  8.         <artifactId>spring-boot-starter-aop</artifactId>
  9.     </dependency>
  10.     <dependency>
  11.         <groupId>org.springframework.boot</groupId>
  12.         <artifactId>spring-boot-starter-data-redis</artifactId>
  13.     </dependency>
  14. </dependencies>

属性配置 在 application.properites 资源文件中添加 redis 相关的配置项

  1. spring.redis.host=localhost
  2. spring.redis.port=6379
  3. spring.redis.password=123456

主要实现方式:

熟悉 Redis 的朋友都知道它是线程安全的,我们利用它的特性可以很轻松的实现一个分布式锁,如 opsForValue().setIfAbsent(key,value)它的作用就是如果缓存中没有当前 Key 则进行缓存同时返回 true 反之亦然;

当缓存后给 key 在设置个过期时间,防止因为系统崩溃而导致锁迟迟不释放形成死锁;那么我们是不是可以这样认为当返回 true 我们认为它获取到锁了,在锁未释放的时候我们进行异常的抛出…

  1. package com.battcn.interceptor;
  2. import com.battcn.annotation.CacheLock;
  3. import com.battcn.utils.RedisLockHelper;
  4. import org.aspectj.lang.ProceedingJoinPoint;
  5. import org.aspectj.lang.annotation.Around;
  6. import org.aspectj.lang.annotation.Aspect;
  7. import org.aspectj.lang.reflect.MethodSignature;
  8. import org.springframework.beans.factory.annotation.Autowired;
  9. import org.springframework.context.annotation.Configuration;
  10. import org.springframework.util.StringUtils;
  11. import java.lang.reflect.Method;
  12. import java.util.UUID;
  13. /**
  14.  * redis 方案
  15.  *
  16.  * @author Levin
  17.  * @since 2018/6/12 0012
  18.  */
  19. @Aspect
  20. @Configuration
  21. public class LockMethodInterceptor {
  22.     @Autowired
  23.     public LockMethodInterceptor(RedisLockHelper redisLockHelper, CacheKeyGenerator cacheKeyGenerator) {
  24.         this.redisLockHelper = redisLockHelper;
  25.         this.cacheKeyGenerator = cacheKeyGenerator;
  26.     }
  27.     private final RedisLockHelper redisLockHelper;
  28.     private final CacheKeyGenerator cacheKeyGenerator;
  29.     @Around("execution(public * *(..)) && @annotation(com.battcn.annotation.CacheLock)")
  30.     public Object interceptor(ProceedingJoinPoint pjp) {
  31.         MethodSignature signature = (MethodSignature) pjp.getSignature();
  32.         Method method = signature.getMethod();
  33.         CacheLock lock = method.getAnnotation(CacheLock.class);
  34.         if (StringUtils.isEmpty(lock.prefix())) {
  35.             throw new RuntimeException("lock key don't null...");
  36.         }
  37.         final String lockKey = cacheKeyGenerator.getLockKey(pjp);
  38.         String value = UUID.randomUUID().toString();
  39.         try {
  40.             // 假设上锁成功,但是设置过期时间失效,以后拿到的都是 false
  41.             final boolean success = redisLockHelper.lock(lockKey, valuelock.expire(), lock.timeUnit());
  42.             if (!success) {
  43.                 throw new RuntimeException("重复提交");
  44.             }
  45.             try {
  46.                 return pjp.proceed();
  47.             } catch (Throwable throwable) {
  48.                 throw new RuntimeException("系统异常");
  49.             }
  50.         } finally {
  51.             // TODO 如果演示的话需要注释该代码;实际应该放开
  52.             redisLockHelper.unlock(lockKey, value);
  53.         }
  54.     }
  55. }

RedisLockHelper 通过封装成 API 方式调用,灵活度更加高

  1. package com.battcn.utils;
  2. import org.springframework.boot.autoconfigure.AutoConfigureAfter;
  3. import org.springframework.boot.autoconfigure.data.redis.RedisAutoConfiguration;
  4. import org.springframework.context.annotation.Configuration;
  5. import org.springframework.data.redis.connection.RedisStringCommands;
  6. import org.springframework.data.redis.core.RedisCallback;
  7. import org.springframework.data.redis.core.StringRedisTemplate;
  8. import org.springframework.data.redis.core.types.Expiration;
  9. import org.springframework.util.StringUtils;
  10. import java.util.concurrent.Executors;
  11. import java.util.concurrent.ScheduledExecutorService;
  12. import java.util.concurrent.TimeUnit;
  13. import java.util.regex.Pattern;
  14. /**
  15.  * 需要定义成 Bean
  16.  *
  17.  * @author Levin
  18.  * @since 2018/6/15 0015
  19.  */
  20. @Configuration
  21. @AutoConfigureAfter(RedisAutoConfiguration.class)
  22. public class RedisLockHelper {
  23.     private static final String DELIMITER = "|";
  24.     /**
  25.      * 如果要求比较高可以通过注入的方式分配
  26.      */
  27.     private static final ScheduledExecutorService EXECUTOR_SERVICE = Executors.newScheduledThreadPool(10);
  28.     private final StringRedisTemplate stringRedisTemplate;
  29.     public RedisLockHelper(StringRedisTemplate stringRedisTemplate) {
  30.         this.stringRedisTemplate = stringRedisTemplate;
  31.     }
  32.     /**
  33.      * 获取锁(存在死锁风险)
  34.      *
  35.      * @param lockKey lockKey
  36.      * @param value   value
  37.      * @param time    超时时间
  38.      * @param unit    过期单位
  39.      * @return true or false
  40.      */
  41.     public boolean tryLock(final String lockKey, final String valuefinal long timefinal TimeUnit unit) {
  42.         return stringRedisTemplate.execute((RedisCallback<Boolean>) connection -> connection.set(lockKey.getBytes(), value.getBytes(), Expiration.from(timeunit), RedisStringCommands.SetOption.SET_IF_ABSENT));
  43.     }
  44.     /**
  45.      * 获取锁
  46.      *
  47.      * @param lockKey lockKey
  48.      * @param uuid    UUID
  49.      * @param timeout 超时时间
  50.      * @param unit    过期单位
  51.      * @return true or false
  52.      */
  53.     public boolean lock(String lockKey, final String uuid, long timeout, final TimeUnit unit) {
  54.         final long milliseconds = Expiration.from(timeout, unit).getExpirationTimeInMilliseconds();
  55.         boolean success = stringRedisTemplate.opsForValue().setIfAbsent(lockKey, (System.currentTimeMillis() + milliseconds) + DELIMITER + uuid);
  56.         if (success) {
  57.             stringRedisTemplate.expire(lockKey, timeout, TimeUnit.SECONDS);
  58.         } else {
  59.             String oldVal = stringRedisTemplate.opsForValue().getAndSet(lockKey, (System.currentTimeMillis() + milliseconds) + DELIMITER + uuid);
  60.             final String[] oldValues = oldVal.split(Pattern.quote(DELIMITER));
  61.             if (Long.parseLong(oldValues[0]) + 1 <= System.currentTimeMillis()) {
  62.                 return true;
  63.             }
  64.         }
  65.         return success;
  66.     }
  67.     /**
  68.      * @see <a href="http://redis.io/commands/set">Redis Documentation: SET</a>
  69.      */
  70.     public void unlock(String lockKey, String value) {
  71.         unlock(lockKey, value0, TimeUnit.MILLISECONDS);
  72.     }
  73.     /**
  74.      * 延迟unlock
  75.      *
  76.      * @param lockKey   key
  77.      * @param uuid      client(最好是唯一键的)
  78.      * @param delayTime 延迟时间
  79.      * @param unit      时间单位
  80.      */
  81.     public void unlock(final String lockKey, final String uuid, long delayTime, TimeUnit unit) {
  82.         if (StringUtils.isEmpty(lockKey)) {
  83.             return;
  84.         }
  85.         if (delayTime <= 0) {
  86.             doUnlock(lockKey, uuid);
  87.         } else {
  88.             EXECUTOR_SERVICE.schedule(() -> doUnlock(lockKey, uuid), delayTime, unit);
  89.         }
  90.     }
  91.     /**
  92.      * @param lockKey key
  93.      * @param uuid    client(最好是唯一键的)
  94.      */
  95.     private void doUnlock(final String lockKey, final String uuid) {
  96.         String val = stringRedisTemplate.opsForValue().get(lockKey);
  97.         final String[] values = val.split(Pattern.quote(DELIMITER));
  98.         if (values.length <= 0) {
  99.             return;
  100.         }
  101.         if (uuid.equals(values[1])) {
  102.             stringRedisTemplate.delete(lockKey);
  103.         }
  104.     }
  105. }

redis的提交参照

 

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小蓝xlanll/article/detail/234479?site
推荐阅读
相关标签
  

闽ICP备14008679号