当前位置:   article > 正文

SpringBoot在一定时间内限制接口请求次数_springboot 实现某一接口只能同时处理特定数量请求

springboot 实现某一接口只能同时处理特定数量请求

需要用到的知识:注解、AOP、ExpiringMap(带有有效期的映射)

 

我们可以自定义注解,把注解添加到我们的接口上。定义一个切面,执行方法前去ExpiringMap查询该IP在规定时间内请求了多少次,如超过次数则直接返回请求失败。

 

需要用到的依赖

  1. <!-- AOP依赖 -->
  2. <dependency>
  3. <groupId>org.springframework.boot</groupId>
  4. <artifactId>spring-boot-starter-aop</artifactId>
  5. <version>2.1.5.RELEASE</version>
  6. </dependency>
  7. <!-- Map依赖 -->
  8. <dependency>
  9. <groupId>net.jodah</groupId>
  10. <artifactId>expiringmap</artifactId>
  11. <version>0.5.8</version>
  12. </dependency>

 

自定义注解@LimitRequest

  1. @Documented
  2. @Target(ElementType.METHOD) // 说明该注解只能放在方法上面
  3. @Retention(RetentionPolicy.RUNTIME)
  4. public @interface LimitRequest {
  5. long time() default 6000; // 限制时间 单位:毫秒
  6. int count() default 1; // 允许请求的次数
  7. }

 

自定义AOP

  1. @Aspect
  2. @Component
  3. public class LimitRequestAspect {
  4. private static ConcurrentHashMap<String, ExpiringMap<String, Integer>> book = new ConcurrentHashMap<>();
  5. // 定义切点
  6. // 让所有有@LimitRequest注解的方法都执行切面方法
  7. @Pointcut("@annotation(limitRequest)")
  8. public void excudeService(LimitRequest limitRequest) {
  9. }
  10. @Around("excudeService(limitRequest)")
  11. public Object doAround(ProceedingJoinPoint pjp, LimitRequest limitRequest) throws Throwable {
  12. // 获得request对象
  13. RequestAttributes ra = RequestContextHolder.getRequestAttributes();
  14. ServletRequestAttributes sra = (ServletRequestAttributes) ra;
  15. HttpServletRequest request = sra.getRequest();
  16. // 获取Map对象, 如果没有则返回默认值
  17. // 第一个参数是key, 第二个参数是默认值
  18. ExpiringMap<String, Integer> uc = book.getOrDefault(request.getRequestURI(), ExpiringMap.builder().variableExpiration().build());
  19. Integer uCount = uc.getOrDefault(request.getRemoteAddr(), 0);
  20. if (uCount >= limitRequest.count()) { // 超过次数,不执行目标方法
  21. return "接口请求超过次数";
  22. } else if (uCount == 0){ // 第一次请求时,设置有效时间
  23. // /** Expires entries based on when they were last accessed */
  24. // ACCESSED,
  25. // /** Expires entries based on when they were created */
  26. // CREATED;
  27. uc.put(request.getRemoteAddr(), uCount + 1, ExpirationPolicy.CREATED, limitRequest.time(), TimeUnit.MILLISECONDS);
  28. } else { // 未超过次数, 记录加一
  29. uc.put(request.getRemoteAddr(), uCount + 1);
  30. }
  31. book.put(request.getRequestURI(), uc);
  32. // result的值就是被拦截方法的返回值
  33. Object result = pjp.proceed();
  34. return result;
  35. }
  36. }

第一个静态Map是多线程安全的Map(ConcurrentHashMap),它的key是接口对于的url,它的value是一个多线程安全且键值对是有有效期的Map(ExpiringMap)。

ExpiringMap的key是请求的ip地址,value是已经请求的次数。

ExpiringMap更多的使用方法可以参考:https://github.com/jhalterman/expiringmap

 

最后在方法上面加上@LimitRequest就行了

 

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

闽ICP备14008679号