Spring缓存注解浅析及实践

京东云开发者
• 阅读 18

作者:京东物流 江兆晶

一 背景

缓存是我们日常开发常被使用的技术栈,一般用来降低数据库读取压力,提升系统查询性能。使用缓存的数据一般为不常变化且使用率很高的数据,比如:配置信息、商品信息、用户信息等。我们一般的做法:第一次从数据库中读取数据,然后放到缓存中并设置缓存超期时间,缓存超期之后再从数据库从新读取,如果涉及到更新和删除数据也要同步缓存,这样才能解决缓存数据一致性问题,但我们常规的做法一般是使用缓存的put、get等命令把写入和读取缓存的代码写在方法体内部,这样缓存相关的操作代码就会耦合在业务代码里。

能不能加个缓存注解就能把缓存的的问题给解决了呢?常规的做法是自己定义一个缓存注解,使用AOP的机制来实现缓存读写和同步,但实际上我们做这一步是多余的,因为Spring本身就提供了强大的缓存注解功能,我们何必再重复造轮子呢。下面将简单介绍下Spring的几个关键缓存注解及如何使用它们来实现缓存读写、更新和删除。

二 Spring几个关键缓存注解介绍

下面简单介绍几个Spring提供的核心缓存注解:@EnableCaching,@Cacheable,@CachePut,@CacheEvict ,如下:

注解名称 简介
@EnableCaching 该注解用来开启缓存功能,配置类中需要加上这个注解,Spring才知道你需要缓存功能,另外其他和缓存相关的注解才会生效,Spring缓存注解也是通过AOP实现的,通过AOP来拦截需要使用缓存的方法,实现缓存功能。
@Cacheable 该注解用来赋予缓存功能,它可以标记在一个方法上,也可以标记在一个类上。当标记在一个方法上时表示该方法是支持缓存的,当标记在一个类上时则表示该类所有的方法都是支持缓存的。对于一个支持缓存的方法,Spring会在其被调用后将其返回值缓存起来,以保证下次利用同样的参数访问该方法可以直接从缓存中获取结果,而不需要再次执行该方法。@Cacheable可以指定三个属性:valuekeyconditionvalue: value和cacheNames属性作用一样,必须指定其中一个,表示当前方法的返回值是会被缓存在哪个Cache上的,对应Cache的名称。 key: 缓存以key->value的形式存储,key属性指定缓存内容对应的key,key属性支持SpEL表达式;当我们没有指定该属性时,Spring将使用默认策略生成key。 condition: 用来控制缓存的使用条件,condition属性默认为true,其值是通过SpEL表达式来指定的,当为true时表示先尝试从缓存中获取;若缓存中不存在则执行方法并将方法返回值存入缓存;当为false时不走缓存直接执行方法,并且返回结果也不会存入缓存。
@CachePut 该注解用来将结果放入缓存,该注解的用法跟@Cacheable类似,区别如下: @CachePut:这个注释可以确保方法被执行,同时方法的返回值也被记录到缓存中@Cacheable:当重复使用相同参数调用方法的时候,方法本身不会被调用执行,即方法本身被略过了,取而代之的是方法的结果直接从缓存中找到并返回了。 所以,@CachePut一般被用于缓存的更新同步,确保缓存数据一致性。
@CacheEvict 该注解用来清除缓存,如果标注在方法上则目标方法被调用时会清除指定的缓存,@CacheEvict一般用于数据删除时同时删除缓存,确保缓存数据一致性。

三 工程实践

3.1 引入依赖

要在springboot中使用缓存,重点要引入依赖:spring-boot-starter-data-redis

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
 xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
 <modelVersion>4.0.0</modelVersion>

 <groupId>org.example</groupId>
 <artifactId>spring-cache</artifactId>
 <version>1.0-SNAPSHOT</version>
 <packaging>jar</packaging>

 <name>spring-cache</name>
 <url>http://maven.apache.org</url>

 <properties>
 <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
 <spring.boot.version>2.3.8.RELEASE</spring.boot.version>
 <slf4j-api.version>1.7.29</slf4j-api.version>
 <log4j-api.version>2.3</log4j-api.version>
 </properties>

 <dependencies>
 <dependency>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter-data-redis</artifactId>
 <version>${spring.boot.version}</version>
 </dependency>
 <dependency>
 <groupId>org.springframework.boot</groupId>
 <artifactId>spring-boot-starter-test</artifactId>
 <version>${spring.boot.version}</version>
 <scope>test</scope>
 </dependency>
 <dependency>
 <groupId>org.slf4j</groupId>
 <artifactId>slf4j-api</artifactId>
 <version>${slf4j-api.version}</version>
 <scope>provided</scope>
 </dependency>
 <dependency>
 <groupId>org.apache.logging.log4j</groupId>
 <artifactId>log4j-api</artifactId>
 <version>${log4j-api.version}</version>
 <scope>provided</scope>
 </dependency>
 </dependencies>
</project>

3.2 核心代码

首先,要创建缓存配置类,配置类中需要定义一个bean:缓存管理器,类型为CacheManager;另外两个配置:cacheEnable为true开启缓存,false为关闭缓存,cacheTtl为统一的缓存超时时间。

package com.java.demo.config;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.cache.CacheManager;
import org.springframework.cache.annotation.EnableCaching;
import org.springframework.cache.support.NoOpCacheManager;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.redis.cache.RedisCacheConfiguration;
import org.springframework.data.redis.cache.RedisCacheManager;
import org.springframework.data.redis.connection.RedisConnectionFactory;
import org.springframework.data.redis.core.StringRedisTemplate;

import java.time.Duration;

/**
 * redis缓存配置类
 *
 * @author jiangzhaojing
 * @date 2024-11-29 15:01:12
 */
@Configuration
@EnableCaching
public class RedisCacheConfig {

@Value("${cache.enable:false}")
private Boolean cacheEnable;
 @Value("${cache.ttl:120}")
private Long cacheTtl;

 @Autowired
 private StringRedisTemplate redisTemplate;

 /**
 * 缓存管理bean注入
 *
 * @param redisConnectionFactory
 * @return
 */
 @Bean
 public CacheManager cacheManager(RedisConnectionFactory redisConnectionFactory) {
if (cacheEnable) {
            RedisCacheConfiguration config = instanceConfig();
 return RedisCacheManager.builder(redisConnectionFactory)
                    .cacheDefaults(config)
                    .transactionAware()
                    .build();
 }
return new NoOpCacheManager();
 }

/**
 * 实例配置
 *
 * @return
 */
 private RedisCacheConfiguration instanceConfig() {
return RedisCacheConfiguration.defaultCacheConfig()
                .entryTtl(Duration.ofSeconds(cacheTtl))
                .disableCachingNullValues();
 }


}

其次,创建测试需要实体类,需要注意是,该实体类必须实现Serializable,否则会出现序列化异常。

package com.java.demo.model;

import java.io.Serializable;

/**
 * 用户实体类
 *
 * @author jiangzhaojing
 * @date 2024-11-29 15:01:12
 * 用户相关属性
 */
public class User implements Serializable {
private String userId;
 private String userName;

 public User() {
    }

public User(String userId, String userName) {
this.userId = userId;
 this.userName = userName;
 }

@Override
 public String toString() {
return String.format("[userId:%s,userName:%s]", userId, userName);
 }

public String getUserId() {
return userId;
 }

public void setUserId(String userId) {
this.userId = userId;
 }

public String getUserName() {
return userName;
 }

public void setUserName(String userName) {
this.userName = userName;
 }
}

然后,创建接口服务及实现类,并在实现类方法上增加缓存注解,如下:

package com.java.demo.service;

import com.java.demo.model.User;

/**
 * 用户相关服务
 *
 * @author jiangzhaojing
 * @date 2024-11-29 15:01:12
 */
public interface UserService {

/**
 * 根据用户ID获取用户
 *
 * @param userId
 * @return
 */
 User getUserById(String userId);

 /**
 * 更新用户
 *
 * @param user
 * @return
 */
 User updateUser(User user);

 /**
 * 删除用户
 *
 * @param userId
 */
 void deleteUser(String userId);
}
package com.java.demo.service.impl;

import com.java.demo.model.User;
import com.java.demo.service.UserService;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.cache.annotation.CacheEvict;
import org.springframework.cache.annotation.CachePut;
import org.springframework.cache.annotation.Cacheable;
import org.springframework.stereotype.Component;

/**
 * 用户相关服务实现
 *
 * @author jiangzhaojing
 * @date 2024-11-29 15:01:12
 */
@Component
public class UserServiceImpl implements UserService {
private final static Logger logger = LoggerFactory.getLogger(UserServiceImpl.class);

 /**
 * 根据用户ID获取用户
 *
 * @param userId
 * @return
 */
 @Override
 @Cacheable(cacheNames = "users", key = "#userId")
public User getUserById(String userId) {
logger.info("调用了方法[getUserById],入参:{}", userId);
 //正常下面应该从数据库中读取
 return new User("123", "li lei");
 }

/**
 * 更新用户
 *
 * @param user
 * @return
 */
 @Override
 @CachePut(cacheNames = "users", key = "#user.userId")
public User updateUser(User user) {
logger.info("调用了方法[updateUser],入参:{}", user);
 return user;
 }

/**
 * 更新用户
 *
 * @param userId
 * @return
 */
 @Override
 @CacheEvict(cacheNames = "users", key = "#userId")
public void deleteUser(String userId) {
logger.info("调用了方法[deleteUser],入参:{}", userId);
 }


}

然后,写一个应用的启动类

package com.java.demo;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.ComponentScan;

@SpringBootApplication
@ComponentScan("com.java.demo")
public class Application {
public static void main(String[] args) {
        SpringApplication.run(Application.class);
 }

}

最后,配置文件配置缓存相关配置项,其中spring.redis.host,spring.redis.password,spring.redis.port三项根据实际配置填写

spring.redis.host=//redis地址
spring.redis.database=0
spring.redis.port=//redis端口
spring.redis.password=//redis密码

spring.redis.timeout=5000
spring.redis.jedis.pool.max-idle=8
spring.redis.jedis.pool.min-idle=1
spring.redis.jedis.pool.max-active=8
spring.redis.jedis.pool.max-wait=3000

cache.enable=true
cache.ttl=300

3.3 测试用例

package com.java.demo;


import com.java.demo.model.User;
import com.java.demo.service.UserService;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.context.junit4.SpringRunner;

/**
 * 用户相关服务
 *
 * @author jiangzhaojing
 * @date 2024-11-29 15:01:12
 */
@RunWith(SpringRunner.class)
@SpringBootTest
public class CacheTest {
private final static Logger logger = LoggerFactory.getLogger(CacheTest.class);

 @Autowired
 private UserService userService;

 @Test
 public void testCache() {
//第一次读取缓存为空
 logger.info("1.user:{}", userService.getUserById("123"));

 //第二次直接从缓存读取
 logger.info("2.user:{}", userService.getUserById("123"));

 //更新缓存
 userService.updateUser(new User("123", "zhang hua"));

 //第三次直接从缓存读取
 logger.info("3.user:{}", userService.getUserById("123"));

 //删除缓存
 userService.deleteUser("123");

 logger.info("test finish!");
 }


}

第一次读取,缓存还没有则直接进入方法体并写入缓存,如下图:

Spring缓存注解浅析及实践

第二次读取,因缓存存在则跳过方法直接从缓存中读取,从第三行日志可以看出来,如下:

Spring缓存注解浅析及实践

更新数据时,使用@CachePut更新缓存,同步缓存数据: Spring缓存注解浅析及实践

删除数据时,及时使用 @CacheEvict清理缓存,确保缓存数据与数据库数据一致。

四 总结

从上面的解析和实践中可以看到使用Spring提供的@EnableCaching注解可以方便进行缓存的处理,避免缓存处理逻辑与业务代码耦合,让代码更优雅,从一定程度上提升了开发效率。但细心的同学会发现一个问题:@EnableCaching注解并未提供缓存超期的属性,所以我们无法通过@EnableCaching设置缓存超时时间,只能通过CacheManager设置一个统一的缓存超期时间。通过@EnableCaching源码我们也能发现并无缓存超期属性,如下:

package org.springframework.cache.annotation;

import java.lang.annotation.Documented;
import java.lang.annotation.ElementType;
import java.lang.annotation.Inherited;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
import org.springframework.core.annotation.AliasFor;

@Target({ElementType.TYPE, ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Inherited
@Documented
public @interface Cacheable {
@AliasFor("cacheNames")
    String[] value() default {};

 @AliasFor("value")
    String[] cacheNames() default {};

 String key() default "";

 String keyGenerator() default "";

 String cacheManager() default "";

 String cacheResolver() default "";

 String condition() default "";

 String unless() default "";

 boolean sync() default false;
}

至于Spring不提供这个属性原因,可能是基于框架的扩展性和通用性方面的考虑,不过Spring的强大之处就在于它是可以扩展的,预留了很多扩展点等待我们去实现,本文因篇幅有限不在本篇讨论如何扩展实现缓存超时时间的问题,留在后面的文章继续探讨。以上的分析讨论及代码难免有错误之处,敬请同学们指正!

五 源码

Spring缓存注解工程实践相关源码: https://3.cn/10h-Vk1KT

点赞
收藏
评论区
推荐文章
Wesley13 Wesley13
3年前
java memcached client
Memcach什么是MemcacheMemcache集群环境下缓存解决方案Memcache是一个高性能的分布式的内存对象缓存系统,通过在内存里维护一个统一的巨大的hash表,它能够用来存储各种格式的数据,包括图像、视频、文件以及数据库检索的结果等。简单的说就是将数据调用到内存中,然后从内存中读取,从而大大提高读取速度。Memcache是d
3A网络 3A网络
2年前
缓存三大问题及解决方案
1.缓存来由随着互联网系统发展的逐步完善,提高系统的qps,目前的绝大部分系统都增加了缓存机制从而避免请求过多的直接与数据库操作从而造成系统瓶颈,极大的提升了用户体验和系统稳定性。2.缓存问题虽然使用缓存给系统带来了一定的质的提升,但同时也带来了一些需要注意的问题。2.1缓存穿透缓存穿透是指查询一个一定不存在的数据,因为缓存中也无该数据的信息,则会
kenx kenx
3年前
SpringBoot 整合缓存Cacheable实战详细使用
前言我知道在接口api项目中,频繁的调用接口获取数据,查询数据库是非常耗费资源的,于是就有了缓存技术,可以把一些不常更新,或者经常使用的数据,缓存起来,然后下次再请求时候,就直接从缓存中获取,不需要再去查询数据,这样可以提供程序性能,增加用户体验,也节省服务资源浪费开销,在springboot帮你我们做好了整合,有对应的场景启动器start,我们之间引入使用
Stella981 Stella981
3年前
Spring cache整合Redis,并给它一个过期时间!
小Hub领读:不知道你们有没给cache设置过过期时间,来试试?上一篇文章中,我们使用springboot集成了redis,并使用RedisTemplate来操作缓存数据,可以灵活使用。今天我们要讲的是Spring为我们提供的缓存注解SpringCache。Spring支持多种缓存技术:RedisCacheManager
Easter79 Easter79
3年前
SpringMVC当中的 @Transactional(readOnly = true) 的作用
readOnlytrue表明所注解的方法或类只是读取数据。readOnlyfalse表明所注解的方法或类是增加,删除,修改数据。如果设置为true,spring会对其优化,可以用来提高性能。readOnly为true时读取的数据如果缓存中存在就从缓存中读取这是没有问题的readOnly为false时读取的数据就不能从缓存
Wesley13 Wesley13
3年前
Java程序使用memcached配置与示例
Memcached作为一款很强大的分布式缓存,经常被用到大型的互联网应用中,比如新浪微博等都采用memcached做缓存。Memcached也经常和MySQL组合做数据缓存。具体的介绍请参考官方网站:www.memcached.org这里通过安装配置Memcached,并通过Java客户端来使用memcached进行存储和读取缓存数据。
Stella981 Stella981
3年前
Guava的两种本地缓存策略
Guava的两种缓存策略缓存在很多场景下都需要使用,如果电商网站的商品类别的查询,订单查询,用户基本信息的查询等等,针对这种读多写少的业务,都可以考虑使用到缓存。在一般的缓存系统中,除了分布式缓存,还会有多级缓存,在提升一定性能的前提下,可以在一定程度上避免缓存击穿或缓存雪崩,也能降低分布式缓存的负载。Guav
Stella981 Stella981
3年前
MemCache与redis
以下内容为个人理解所得,如要转载,请标明出处:像项目中首页的大广告和商品类目这些不需要经常修改的数据,如果用户每次刷新页面的时候都要去数据库中查询,这样会浪费资源和增加数据库的压力。所以我们想当把这些数据添加到一个缓存中,用户去访问的时候,先去缓存中查找,如果命中失败,再去数据库中查询,然后把查询到的数据添加到缓存中。目前比较
【专项测试系列】-缓存击穿、穿透、雪崩专项测试
作者:刘须华一、背景概述: R2M缓存的使用,极大的提升了应用程序的性能和效率,特别是数据查询方面。而缓存最常见的问题是缓存穿透、击穿和雪崩,在高并发下这三种情况都会有大量请求落到数据库,导致数据库资源占满,引起数据库故障。平时
京东云开发者 京东云开发者
19小时前
基于javaPoet的缓存key优化实践
作者:京东物流方志民一.背景在一次系统opsreview中,发现了一些服务配置了@Cacheable注解。@cacheable来源于springcache框架中,作用是使用aop的方式将数据库中的热数据缓存在redis/本地缓存中,代码如下:@Cachea