Springboot 中 Redis缓存使用 @Cacheable不生效的原因,以及@Cacheable 的一些注意点

@Cacheable 注解在对象内部调用不会生效

代码示例:

 public List getProductList(CommonRequest reqest) {
   // @Cacheable失效,不会走缓存的
    return  this.findProductInfoList(reqest);
  }
  
  @Cacheable(cacheNames = "productInfos",cacheManager="jfinetchRedisCacheManager", key = "'jbs:product:list:'.concat(#reqest.getChannelCode())")
  public List findProductInfoList(CommonRequest reqest){
      List redisList = productService.findList(reqest);
      redisList = redisList.stream().filter(it -> ProductStatusEnum.OPEN.getCode().equals(it.getStatus())).collect(Collectors.toList());

      return redisList;
  }
  

此时getProductList 调用findProductInfoList缓存注解@Cacheable 是不会生效的

原因:
Spring 缓存注解是基于Spring AOP切面,必须走代理才能生效,同类调用或者子类调用父类带有缓存注解的方法时属于内部调用,没有走代理,所以注解不生效。
解决方法: 将方法抽离到一个独立类中,代码示例如下:
 

@Autowired
 private ProductBiz productBiz;
    
 public List getProductList(CommonRequest reqest) {
	//第二次调用走缓存
   return  productBiz.findProductInfoList(reqest);
 }
@Service
@Slf4j
public class ProductBiz {

    @Autowired
    private IProductService productService;

    @Cacheable(cacheNames = "productInfos",cacheManager="jfinetchRedisCacheManager", key = "'jbs:product:list:'.concat(#reqest.getChannelCode())")
    public List findProductInfoList(CommonRequest reqest){
        List redisList = productService.findList(reqest);
        redisList = redisList.stream().filter(it -> ProductStatusEnum.OPEN.getCode().equals(it.getStatus())).collect(Collectors.toList());

        return redisList;
    }

}

 

2、为什么缓存没有被正常创建
因为@Cacheable 是使用AOP 代理实现的 ,通过创建内部类来代理缓存方法,这样就会导致一个问题,类内部的方法调用类内部的缓存方法不会走代理,不会走代理,就不能正常创建缓存,所以每次都需要去调用数据库。

3、@Cacheable 的一些注意点
1、因为@Cacheable 由AOP 实现,所以,如果该方法被其它注解切入,当缓存命中的时候,则其它注解不能正常切入并执行,@Before 也不行,当缓存没有命中的时候,其它注解可以正常工作

2、@Cacheable 方法不能进行内部调用,否则缓存无法创建

 

补充,如何判断方法返回为空 则不缓存

springCache 注解的 unless 和 condition

两者都用于对缓存进行过滤,把不需要缓存的排除在外


上面这个函数,他有一般的机会返回integer的String,有一半的机会返回null。

如果我们不希望返回值为null时进行缓存,则使用unless="#result == null",排除掉返回值为null的结果    

如果我们不希望参数为空的时候进行缓存,则需要使用condition = "#i==null",这时函数还没执行,排除掉参数为空的情况所以两者一个是对结果进行判断,决定是否放入缓存中,一个是对参数进行判断,决定是否放入缓存中

 

你可能感兴趣的:(springboot,高级架构师)