本文主要讲述如何通过SpringBoot+Redis实现接口级别缓存信息

背景

近期因为一直在处理公司的老项目,恰好碰到产品说页面有一些信息展示慢,简单看了一下页面接口,发现查询的是系统中几张大表(数据量在千万级别),还会关联一些其他的表,导致接口性能极差,但是由于这些信息也不存在"及时性"这么一说,便想着通过接口缓存来控制

相关技术

jdk 1.8
reids 5.0.7

实现思路

通过注解来标识需要缓存的接口,依据注解的内容去找到对应的建造者,通过建造者来找到具体去执行的类,最终达可扩展+缓存的效果

注解相关代码

package com.com.example.springdemo;

import com.com.example.springdemo.aspect.enums.RedisCacheEnums;

import java.lang.annotation.*;
import java.util.concurrent.TimeUnit; /**
* @CreateAt: 2023-11-3 11:25:37
* @ModifyAt: 2023-11-3 11:25:37
* @Version 1.0
*/
@Target({ElementType.PARAMETER, ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface RedisCache { /**
* 缓存的key
**/
String key() default ""; /**
* 参数类型
*
* @return
*/
RedisCacheEnums type(); /**
* 缓存时长,默认-1表示永久有效
**/
int time() default 300; /**
* 缓存时长单位,默认单位秒
**/
TimeUnit timeType() default TimeUnit.SECONDS;
}

枚举相关代码


package com.example.springdemo.enums; import java.util.Arrays; /**
* 缓存类型
*
* @CreateAt: 2023-11-3 11:26:22
* @ModifyAt: 2023-11-3 11:26:22
* @Version 1.0
*/
public enum RedisCacheEnums { QUERY_MEMBER_INFO(1, "查询会员信息"),
; private Integer code;
private String type; RedisCacheEnums(Integer code, String type) {
this.code = code;
this.type = type;
} public static RedisCacheEnums getByCode(int code) {
return Arrays.stream(RedisCacheEnums.values())
.filter(item -> item.getCode().intValue() == code)
.findFirst()
.orElse(null);
} public Integer getCode() {
return code;
} public String getType() {
return type;
}
}

切换相关代码

package com.example.springdemo.aspect;

import com.example.springdemo.RedisCacheProvider;
import com.example.springdemo.handler.RedisCacheHandler;
import com.google.gson.Gson;
import lombok.AllArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Pointcut;
import org.aspectj.lang.reflect.MethodSignature;
import org.springframework.stereotype.Component; /**
* @CreateAt: 2023-11-3 11:27:20
* @ModifyAt: 2023-11-3 11:27:20
* @Version 1.0
*/
@Aspect
@Slf4j
@Component
@AllArgsConstructor
public class RedisCacheAspect { @Pointcut("@annotation(com.example.springdemo.RedisCache)")
public void annotationPoint() throws Throwable { } private RedisCacheProvider redisCacheProvider; /**
* 却面切入点
* implements Serializable 对象需要继承
* @param proceedingJoinPoint
* @return
* @throws Throwable
*/
@Around(value = "annotationPoint()")
public Object around(ProceedingJoinPoint proceedingJoinPoint) throws Throwable {
try {
MethodSignature method = (MethodSignature) proceedingJoinPoint.getSignature();
RedisCache redisCache = method.getMethod().getAnnotation(RedisCache.class);
Object[] args = proceedingJoinPoint.getArgs();
RedisCacheHandler apply = redisCacheProvider.apply(redisCache.type());
Boolean hasKey = apply.existHandler(args, redisCache.key());
if (hasKey) {
return apply.queryHandler(args, redisCache.key());
} else {
Object result = proceedingJoinPoint.proceed();
apply.handler(redisCache.type(), args, result, redisCache.time(), redisCache.timeType(), redisCache.key());
return result;
}
} catch (Exception e) {
log.info("RedisCacheAspect Error:{}", e.toString());
return proceedingJoinPoint.proceed();
}
}
}

建造者和相关hannder对应代码

package com.example.springdemo;

import com.example.springdemo.enums.RedisCacheEnums;
import com.example.springdemo.handler.RedisCacheHandler;
import lombok.AllArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.springframework.stereotype.Component;
import org.springframework.util.Assert; import java.util.List; /**
* 缓存提供者
* @CreateAt: 2023-11-3 11:28:42
* @ModifyAt: 2023-11-3 11:28:42
* @Version 1.0
*/
@Component
@AllArgsConstructor
@Slf4j
public class RedisCacheProvider { private List<RedisCacheHandler> handlers; public RedisCacheHandler apply(RedisCacheEnums type) {
RedisCacheHandler redisCacheHandler = handlers.stream().filter(x -> x.support(type)).findFirst().orElse(null);
Assert.notNull(redisCacheHandler, "未找到对应的处理器");
return redisCacheHandler;
}
}
package com.example.springdemo.handler;

import com.example.springdemo.enums.RedisCacheEnums;

import java.util.concurrent.TimeUnit;

/**
* @CreateAt: 2023-11-3 11:29:39
* @ModifyAt: 2023-11-3 11:29:39
* @Version 1.0
*/
public interface RedisCacheHandler { /**
* 是否支持处理
*
* @param type
* @return
*/
boolean support(RedisCacheEnums type); /**
* 查询缓存信息
*
* @param args
* @param originalKey
* @return
*/
Object queryHandler(Object[] args, String originalKey) throws Exception; /**
* 缓存信息是否存在
*
* @param args
* @param originalKey
* @return
*/
Boolean existHandler(Object[] args, String originalKey) throws Exception; /**
* 生成缓存信息
*
* @param type 类型
* @param args 参数
* @param result 结果
* @param time 时间
* @param timeType 时间类型
* @param originalKey
*/
void handler(RedisCacheEnums type, Object[] args, Object result, Integer time, TimeUnit timeType, String originalKey) throws Exception;
}
package com.example.springdemo.handler;

import com.example.springdemo.enums.RedisCacheEnums;
import com.example.springdemo.common.utils.RedisUtil;
import com.google.gson.Gson;
import lombok.AllArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.springframework.stereotype.Service; import java.util.concurrent.TimeUnit; /**
* @CreateAt: 2023-11-3 11:30:30
* @ModifyAt: 2023-11-3 11:30:30
* @Version 1.0
*/
@Slf4j
@Service
@AllArgsConstructor
public class MemberHandler implements RedisCacheHandler { private final String redisKey = "test"; // 切换成自己项目使用的redis工具类即可
private RedisUtil resdisUtil; /**
* 是否支持处理
*
* @param type
* @return
*/
@Override
public boolean support(RedisCacheEnums type) {
return RedisCacheEnums.QUERY_MEMBER_INFO.equals(type);
} /**
* 查询缓存信息
*
* @param args
* @param originalKey
* @return
*/
@Override
public Object queryHandler(Object[] args, String originalKey) throws Exception {
String key = getKey(args, originalKey);
return resdisUtil.get(key);
} /**
* 查询缓存信息
*
* @param args
* @param originalKey
* @return
*/
@Override
public Boolean existHandler(Object[] args, String originalKey) throws Exception {
String key = getKey(args, originalKey);
return resdisUtil.hasKey(key);
} /**
* 生成操作记录对象
*
* @param type
* @param args
* @param result
* @param time
* @param timeType
* @param originalKey
* @return
*/
@Override
public void handler(RedisCacheEnums type, Object[] args, Object result, Integer time, TimeUnit timeType, String originalKey) throws Exception {
String key = getKey(args, originalKey);
resdisUtil.setByTime(key, result, time, timeType);
} /**
* 获取Key信息
*
* @param args
* @return
*/
private String getKey(Object[] args, String originalKey) throws Exception {
try {
Object omiMemberInquiryVO = (Object ) args[0];
// 拼装缓存key信息
String key = "test";
log.info("RedisCacheAspect key:{}",key);
return key;
} catch (Exception e) {
log.info("RedisCacheAspect 拼装Key参数异常:{},e:{}", new Gson().toJson(args), e.toString());
throw new Exception("拼装Key参数异常");
}
}
}

手动ps:可能很多人都会问为什么不用Spring自带的,而需要自己去写,主要原因还是这是一个老系统,压根找不全对数据进行修改、删除的地方


如有哪里讲得不是很明白或是有错误,欢迎指正

如您喜欢的话不妨点个赞收藏一下吧

SpringBoot+Redis实现接口级别缓存信息的更多相关文章

  1. 【Redis】SpringBoot+Redis+Ehcache实现二级缓存

    一.概述 1.1 一些疑惑? 1.2 场景 1.3 一级缓存.两级缓存的产生 1.4 流程分析 二.项目搭建 一.概述 1.1 一些疑惑? Ehcache本地内存 Redis 分布式缓存可以共享 一级 ...

  2. SpringBoot + redis + @Cacheable注解实现缓存清除缓存

    一.Application启动类添加注解 @EnableCaching 二.注入配置 @Bean public CacheManager cacheManager(RedisTemplate redi ...

  3. springboot redis 缓存对象

    只要加入spring-boot-starter-data-redis , springboot 会自动识别并使用redis作为缓存容器,使用方式如下 gradle加入依赖 compile(" ...

  4. spring boot 学习(十四)SpringBoot+Redis+SpringSession缓存之实战

    SpringBoot + Redis +SpringSession 缓存之实战 前言 前几天,从师兄那儿了解到EhCache是进程内的缓存框架,虽然它已经提供了集群环境下的缓存同步策略,这种同步仍然需 ...

  5. springboot+redis实现缓存数据

    在当前互联网环境下,缓存随处可见,利用缓存可以很好的提升系统性能,特别是对于查询操作,可以有效的减少数据库压力,Redis 是一个开源(BSD许可)的,内存中的数据结构存储系统,它可以用作数据库.缓存 ...

  6. springboot + redis + 注解 + 拦截器 实现接口幂等性校验

    一.概念 幂等性, 通俗的说就是一个接口, 多次发起同一个请求, 必须保证操作只能执行一次 比如: 订单接口, 不能多次创建订单 支付接口, 重复支付同一笔订单只能扣一次钱 支付宝回调接口, 可能会多 ...

  7. Springboot + redis + 注解 + 拦截器来实现接口幂等性校验

    Springboot + redis + 注解 + 拦截器来实现接口幂等性校验   1. SpringBoot 整合篇 2. 手写一套迷你版HTTP服务器 3. 记住:永远不要在MySQL中使用UTF ...

  8. SpringBoot + Redis:基本配置及使用

    注:本篇博客SpringBoot版本为2.1.5.RELEASE,SpringBoot1.0版本有些配置不适用 一.SpringBoot 配置Redis 1.1 pom 引入spring-boot-s ...

  9. Redis+Caffeine两级缓存,让访问速度纵享丝滑

    原创:微信公众号 码农参上,欢迎分享,转载请保留出处. 在高性能的服务架构设计中,缓存是一个不可或缺的环节.在实际的项目中,我们通常会将一些热点数据存储到Redis或MemCache这类缓存中间件中, ...

  10. Redis基础知识之—— 缓存应用场景

    转载原文:http://www.cnblogs.com/jinshengzhi/articles/5225718.html 一.MySql+Memcached架构的问题 Memcached采用客户端- ...

随机推荐

  1. Java计算日期之间相差时间和解决浮点类型精度过长

    计算日期之间相差 此处相差计算以分钟为单位,自行可根据业务场景更改 /** * 测试时间相差分钟 */ @Test public void getTime() { SimpleDateFormat s ...

  2. ubuntu安装msf签名认证失败

    添加命令 apt-get --allow-unauthenticated upgrade 来允许未认证签名软件安装,但是可能有恶意软件安装进来,可以使用 sudo apt-key adv --keys ...

  3. 解决: better-scroll.esm.js?f40f:180 [BScroll warn]: EventEmitter has used unknown event type: "pullingUp"

    改为这样,把所有值设为true mounted() { // 滚动条 this.scroll = new BScroll(this.$refs.wrapper, { click: true, obse ...

  4. 如何将训练好的Python模型给JavaScript使用?

    前言 从前面的Tensorflow环境搭建到目标检测模型迁移学习,已经完成了一个简答的扑克牌检测器,不管是从图片还是视频都能从画面中识别出有扑克的目标,并标识出扑克点数.但是,我想在想让他放在浏览器上 ...

  5. gitlab-runner-config-in-docker

    gitlab in docker 网上有很多现成的解决方案,本文仅作流程梳理,若不需要,可直接用gitlab官方提供的镜像 installation Dockerfile FROM registry. ...

  6. vlan与单臂路由

    vlan 1,什么是vlan vlan叫做虚拟局域网 (VLAN, Virtual LAN) 虚拟局域网(VLAN)是一组逻辑上的设备和用户,这些设备和用户并不受物理位置的限制,可以根据功能.部门及应 ...

  7. 牛客小白月赛65 D题 题解

    原题链接 题意描述 一共有两堆石子,第一堆有 \(a\) 个,第二堆有 \(b\) 个,牛牛和牛妹轮流取石子,牛牛先手,每次取石子的时候只能从以下 \(2\) 种方案种挑一种来取(对于选择的方案数必须 ...

  8. 一次Java内存占用高的排查案例,解释了我对内存问题的所有疑问

    原创:扣钉日记(微信公众号ID:codelogs),欢迎分享,非公众号转载保留此声明. 问题现象 7月25号,我们一服务的内存占用较高,约13G,容器总内存16G,占用约85%,触发了内存报警(阈值8 ...

  9. MQTT vs. XMPP,哪一个才是IoT通讯协议的正解

    MQTT vs. XMPP,哪一个才是IoT通讯协议的正解 这是个有趣的话题! 先来聊几个小故事. 关于我和MQTT 我在人生第一个IoT项目里,第一次接触到MQTT协议. 我很快就理解了这个协议.因 ...

  10. Python 搭建 FastAPI 项目

    一般网上的文章都是以脚本的方式写Demor的,没找到自己想要的那种项目结构型的示例(类似Java SpringBoot 创建 Model,通过 pom 进行关联配置的那种) 看了一些源码,再结合自己的 ...