最近有一个需求是项目的概览统计页面访问速度太慢,每次都要查询好几个数据库,遂要求加缓存到redis里面,有缓存时只需要查redis就行了
统计页面数据是每天刷新,所以要保证今天查到今天的缓存,明天就要查到明天的缓存。我的思路是redis保存key的时候加上日期,取的时候也加上当前日期。
自定义注解
先自定义一个注解,用来作为缓存入口
示例如下
@Target({ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface ExampleCache {
/**
* 缓存前缀,建议传值,否则都在默认 example:
* @return
*/
String prefix() default "example:";
/**
* 缓存过期时间,单位为秒。默认为一天
* @return
*/
long timeout() default 86400;
/**
* 这两个字段为随机值和分布式锁,如果没有需求可以不写
* @return
*/
long random() default 600;
String lock() default "example:lock:";
}
@interface 表示这个class为注解
@Target({ElementType.METHOD}) 表示这个注解可以使用在方法上
@Documented 注解的主要作用是确保自定义注解的信息在生成的 Javadoc 文档中可见
自定义切面类
接下来我们需要实现自定义的切面类,实现环绕通知赋能
@Component
@Aspect
@Slf4j
public class StatisticCacheAspect {
@Autowired
private RedisTemplate redisTemplate;
@Around("@annotation(exampleCache)")
public Object around(ProceedingJoinPoint joinPoint, ExampleCache exampleCache)
throws Throwable {
//获取当前日期,精确到日
String nowDate = LocalDate.now().format(DateTimeFormatter.ofPattern("yyyyMMdd"));
//形参列表,这里加0是个人习惯。也可以不加
String param = nowDate + ":0";
Object[] args = joinPoint.getArgs();
//获取到形参列表,也作为key的一部分以区分
if (args != null && args.length != 0) {
param = StringUtils.join(args, ",");
}
//组装key
String key = statisticCache.prefix() + param;
//查询缓存如果有直接返回
Object result = this.redisTemplate.opsForValue().get(key);
if (result != null) {
return result;
}
result = joinPoint.proceed(joinPoint.getArgs());
this.redisTemplate.opsForValue().set(key, result, statisticCache.timeout(), TimeUnit.SECONDS);
return result;
}
}
使用
在service层加上注解即可
@ExampleCache(prefix = "count:")
public Integer count(Long id) {
return dicMapMapper.countById(id);
}