需要用到的知识:注解、AOP、ExpiringMap(带有有效期的映射)
我们可以自定义注解,把注解添加到我们的接口上。定义一个切面,执行方法前去ExpiringMap查询该IP在规定时间内请求了多少次,如超过次数则直接返回请求失败。
需要用到的依赖
1 2 3 4 5 6 7 8 9 10 11 12 |
<!-- AOP依赖 --> < dependency > < groupId >org.springframework.boot</ groupId > < artifactId >spring-boot-starter-aop</ artifactId > < version >2.1.5.RELEASE</ version > </ dependency > <!-- Map依赖 --> < dependency > < groupId >net.jodah</ groupId > < artifactId >expiringmap</ artifactId > < version >0.5.8</ version > </ dependency > |
自定义注解@LimitRequest
1 2 3 4 5 6 7 |
@Documented @Target (ElementType.METHOD) // 说明该注解只能放在方法上面 @Retention (RetentionPolicy.RUNTIME) public @interface LimitRequest { long time() default 6000 ; // 限制时间 单位:毫秒 int count() default 1 ; // 允许请求的次数 } |
自定义AOP
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 |
@Aspect @Component public class LimitRequestAspect {
private static ConcurrentHashMap<String, ExpiringMap<String, Integer>> book = new ConcurrentHashMap<>();
// 定义切点 // 让所有有@LimitRequest注解的方法都执行切面方法 @Pointcut ( "@annotation(limitRequest)" ) public void excudeService(LimitRequest limitRequest) { }
@Around ( "excudeService(limitRequest)" ) public Object doAround(ProceedingJoinPoint pjp, LimitRequest limitRequest) throws Throwable {
// 获得request对象 RequestAttributes ra = RequestContextHolder.getRequestAttributes(); ServletRequestAttributes sra = (ServletRequestAttributes) ra; HttpServletRequest request = sra.getRequest();
// 获取Map对象, 如果没有则返回默认值 // 第一个参数是key, 第二个参数是默认值 ExpiringMap<String, Integer> uc = book.getOrDefault(request.getRequestURI(), ExpiringMap.builder().variableExpiration().build()); Integer uCount = uc.getOrDefault(request.getRemoteAddr(), 0 );
if (uCount >= limitRequest.count()) { // 超过次数,不执行目标方法 return "接口请求超过次数" ; } else if (uCount == 0 ){ // 第一次请求时,设置有效时间 // /** Expires entries based on when they were last accessed */ // ACCESSED, // /** Expires entries based on when they were created */ // CREATED; uc.put(request.getRemoteAddr(), uCount + 1 , ExpirationPolicy.CREATED, limitRequest.time(), TimeUnit.MILLISECONDS); } else { // 未超过次数, 记录加一 uc.put(request.getRemoteAddr(), uCount + 1 ); } book.put(request.getRequestURI(), uc);
// result的值就是被拦截方法的返回值 Object result = pjp.proceed();
return result; }
} |
第一个静态Map是多线程安全的Map(ConcurrentHashMap),它的key是接口对于的url,它的value是一个多线程安全且键值对是有有效期的Map(ExpiringMap)。
ExpiringMap的key是请求的ip地址,value是已经请求的次数。
ExpiringMap更多的使用方法可以参考: https://github测试数据/jhalterman/expiringmap
最后在方法上面加上@LimitRequest就行了
到此这篇关于SpringBoot在一定时间内限制接口请求次数的实现示例的文章就介绍到这了,更多相关SpringBoot 限制接口请求次数内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!
原文链接:https://blog.csdn.net/qq_41084438/article/details/109014344
查看更多关于SpringBoot在一定时间内限制接口请求次数的实现示例的详细内容...