文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

如何使用SpringBoot + Redis实现接口限流

2023-06-30 17:30

关注

本篇内容介绍了“如何使用SpringBoot + Redis实现接口限流”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!

配置

首先我们创建一个 Spring Boot 工程,引入 Web 和 Redis 依赖,同时考虑到接口限流一般是通过注解来标记,而注解是通过 AOP 来解析的,所以我们还需要加上 AOP 的依赖,最终的依赖如下:

<dependency>    <groupId>org.springframework.boot</groupId>    <artifactId>spring-boot-starter-data-redis</artifactId></dependency><dependency>    <groupId>org.springframework.boot</groupId>    <artifactId>spring-boot-starter-web</artifactId></dependency><dependency>    <groupId>org.springframework.boot</groupId>    <artifactId>spring-boot-starter-aop</artifactId></dependency>

然后提前准备好一个 Redis 实例,这里我们项目配置好之后,直接配置一下 Redis 的基本信息即可,如下:

spring.redis.host=localhostspring.redis.port=6379spring.redis.password=123

限流注解

接下来我们创建一个限流注解,我们将限流分为两种情况:

针对这两种情况,我们创建一个枚举类:

public enum LimitType {        DEFAULT,        IP}

接下来我们来创建限流注解:

@Target(ElementType.METHOD)@Retention(RetentionPolicy.RUNTIME)@Documentedpublic @interface RateLimiter {        String key() default "rate_limit:";        int time() default 60;        int count() default 100;        LimitType limitType() default LimitType.DEFAULT;}

第一个参数限流的 key,这个仅仅是一个前缀,将来完整的 key 是这个前缀再加上接口方法的完整路径,共同组成限流 key,这个 key 将被存入到 Redis 中。

另外三个参数好理解,我就不多说了。

好了,将来哪个接口需要限流,就在哪个接口上添加 @RateLimiter 注解,然后配置相关参数即可。

定制 RedisTemplate

在 Spring Boot 中,我们其实更习惯使用 Spring Data Redis 来操作 Redis,不过默认的 RedisTemplate 有一个小坑,就是序列化用的是 JdkSerializationRedisSerializer,不知道小伙伴们有没有注意过,直接用这个序列化工具将来存到 Redis 上的 key 和 value 都会莫名其妙多一些前缀,这就导致你用命令读取的时候可能会出错。

例如存储的时候,key 是 name,value 是 test,但是当你在命令行操作的时候,get name 却获取不到你想要的数据,原因就是存到 redis 之后 name 前面多了一些字符,此时只能继续使用 RedisTemplate 将之读取出来。

我们用 Redis 做限流会用到 Lua 脚本,使用 Lua 脚本的时候,就会出现上面说的这种情况,所以我们需要修改 RedisTemplate 的序列化方案。

可能有小伙伴会说为什么不用 StringRedisTemplate 呢?StringRedisTemplate 确实不存在上面所说的问题,但是它能够存储的数据类型不够丰富,所以这里不考虑。

修改 RedisTemplate 序列化方案,代码如下:

@Configurationpublic class RedisConfig {    @Bean    public RedisTemplate<Object, Object> redisTemplate(RedisConnectionFactory connectionFactory) {        RedisTemplate<Object, Object> redisTemplate = new RedisTemplate<>();        redisTemplate.setConnectionFactory(connectionFactory);        // 使用Jackson2JsonRedisSerialize 替换默认序列化(默认采用的是JDK序列化)        Jackson2JsonRedisSerializer<Object> jackson2JsonRedisSerializer = new Jackson2JsonRedisSerializer<>(Object.class);        ObjectMapper om = new ObjectMapper();        om.setVisibility(PropertyAccessor.ALL, JsonAutoDetect.Visibility.ANY);        om.enableDefaultTyping(ObjectMapper.DefaultTyping.NON_FINAL);        jackson2JsonRedisSerializer.setObjectMapper(om);        redisTemplate.setKeySerializer(jackson2JsonRedisSerializer);        redisTemplate.setValueSerializer(jackson2JsonRedisSerializer);        redisTemplate.setHashKeySerializer(jackson2JsonRedisSerializer);        redisTemplate.setHashValueSerializer(jackson2JsonRedisSerializer);        return redisTemplate;    }}

这个其实也没啥好说的,key 和 value 我们都使用 Spring Boot 中默认的 jackson 序列化方式来解决。

Lua 脚本

这个其实我在之前 vhr 那一套视频中讲过,Redis 中的一些原子操作我们可以借助 Lua 脚本来实现,想要调用 Lua 脚本,我们有两种不同的思路:

Spring Data Redis 中也提供了操作 Lua 脚本的接口,还是比较方便的,所以我们这里就采用第二种方案。

我们在 resources 目录下新建 lua 文件夹专门用来存放 lua 脚本,脚本内容如下:

local key = KEYS[1]local count = tonumber(ARGV[1])local time = tonumber(ARGV[2])local current = redis.call('get', key)if current and tonumber(current) > count then    return tonumber(current)endcurrent = redis.call('incr', key)if tonumber(current) == 1 then    redis.call('expire', key, time)endreturn tonumber(current)

这个脚本其实不难,大概瞅一眼就知道干啥用的。KEYS 和 ARGV 都是一会调用时候传进来的参数,tonumber 就是把字符串转为数字,redis.call 就是执行具体的 redis 指令,具体流程是这样:

其实这段 Lua 脚本很好理解。

接下来我们在一个 Bean 中来加载这段 Lua 脚本,如下:

@Beanpublic DefaultRedisScript<Long> limitScript() {    DefaultRedisScript<Long> redisScript = new DefaultRedisScript<>();    redisScript.setScriptSource(new ResourceScriptSource(new ClassPathResource("lua/limit.lua")));    redisScript.setResultType(Long.class);    return redisScript;}

可以啦,我们的 Lua 脚本现在就准备好了。

注解解析

接下来我们就需要自定义切面,来解析这个注解了,我们来看看切面的定义:

@Aspect@Componentpublic class RateLimiterAspect {    private static final Logger log = LoggerFactory.getLogger(RateLimiterAspect.class);    @Autowired    private RedisTemplate<Object, Object> redisTemplate;    @Autowired    private RedisScript<Long> limitScript;    @Before("@annotation(rateLimiter)")    public void doBefore(JoinPoint point, RateLimiter rateLimiter) throws Throwable {        String key = rateLimiter.key();        int time = rateLimiter.time();        int count = rateLimiter.count();        String combineKey = getCombineKey(rateLimiter, point);        List<Object> keys = Collections.singletonList(combineKey);        try {            Long number = redisTemplate.execute(limitScript, keys, count, time);            if (number==null || number.intValue() > count) {                throw new ServiceException("访问过于频繁,请稍候再试");            }            log.info("限制请求'{}',当前请求'{}',缓存key'{}'", count, number.intValue(), key);        } catch (ServiceException e) {            throw e;        } catch (Exception e) {            throw new RuntimeException("服务器限流异常,请稍候再试");        }    }    public String getCombineKey(RateLimiter rateLimiter, JoinPoint point) {        StringBuffer stringBuffer = new StringBuffer(rateLimiter.key());        if (rateLimiter.limitType() == LimitType.IP) {            stringBuffer.append(IpUtils.getIpAddr(((ServletRequestAttributes) RequestContextHolder.currentRequestAttributes()).getRequest())).append("-");        }        MethodSignature signature = (MethodSignature) point.getSignature();        Method method = signature.getMethod();        Class<?> targetClass = method.getDeclaringClass();        stringBuffer.append(targetClass.getName()).append("-").append(method.getName());        return stringBuffer.toString();    }}

这个切面就是拦截所有加了 @RateLimiter 注解的方法,在前置通知中对注解进行处理。

接口测试

接下来我们就进行接口的一个简单测试,如下:

@RestControllerpublic class HelloController {    @GetMapping("/hello")    @RateLimiter(time = 5,count = 3,limitType = LimitType.IP)    public String hello() {        return "hello>>>"+new Date();    }}

每一个 IP 地址,在 5 秒内只能访问 3 次。

这个自己手动刷新浏览器都能测试出来。

全局异常处理

由于过载的时候是抛异常出来,所以我们还需要一个全局异常处理器,如下:

@RestControllerAdvicepublic class GlobalException {    @ExceptionHandler(ServiceException.class)    public Map<String,Object> serviceException(ServiceException e) {        HashMap<String, Object> map = new HashMap<>();        map.put("status", 500);        map.put("message", e.getMessage());        return map;    }}

这是一个小 demo,我就不去定义实体类了,直接用 Map 来返回 JSON 了。 最后我们看看过载时的测试效果:

如何使用SpringBoot + Redis实现接口限流

“如何使用SpringBoot + Redis实现接口限流”的内容就介绍到这里了,感谢大家的阅读。如果想了解更多行业相关的知识可以关注编程网网站,小编将为大家输出更多高质量的实用文章!

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     807人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     351人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     314人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     433人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     221人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-后端开发
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯