Redis简易注解入门及缓存实践(redis 注解缓存)

Redis简易注解入门及缓存实践

Redis是一个开源、网络的、基于内存的数据结构存储系统,它支持多种数据结构,如字符串、哈希表、列表、集合等。Redis具有非常高的性能,支持数据的持久化存储,常常被用作缓存、消息队列、分布式锁等场景。本文将介绍Redis的注解使用方式以及如何在Spring Boot项目中使用Redis进行缓存。

1. Redis注解

Redis注解是在实体类或方法上添加注解的方式,方便地存储和访问数据,可以极大地简化代码开发和维护。常见的Redis注解有@Cacheable、@CachePut、@CacheEvict等,它们的作用分别如下:

@Cacheable:在方法执行前先检查缓存中是否有数据,如果有则直接返回缓存数据,否则执行方法并将返回值存入缓存中。

@CachePut:在方法执行后将返回值存入缓存中,与@Cacheable不同的是,@CachePut不会检查缓存中是否已有数据,而是直接将返回值存入缓存。

@CacheEvict:用于从缓存中删除数据,可以指定删除的 key 值或清空所有的缓存数据。

2. Redis缓存实践

在Spring Boot项目中使用Redis进行缓存非常方便,只需要添加spring-boot-starter-data-redis依赖即可。下面是一个简单的实例,实现了用户信息的查询和更新操作,使用了@Cacheable和@CachePut注解来进行缓存操作。

1)添加依赖

org.springframework.boot

spring-boot-starter-data-redis

2)配置redis相关信息

spring.redis.host=localhost

spring.redis.port=6379

spring.redis.password=

spring.redis.database=0

3)添加缓存配置类

@Configuration

@EnableCaching

public class RedisConfig extends CachingConfigurerSupport {

private Duration timeToLive = Duration.ofHours(1);

@Bean

public RedisCacheManager cacheManager(RedisConnectionFactory connectionFactory) {

RedisCacheConfiguration configuration = RedisCacheConfiguration.defaultCacheConfig()

.serializeValuesWith(RedisSerializationContext.SerializationPr.fromSerializer(new GenericJackson2JsonRedisSerializer()))

.entryTtl(timeToLive);

return RedisCacheManager.builder(connectionFactory)

.cacheDefaults(configuration)

.build();

}

}

4)实体类添加缓存注解

@Data

@NoArgsConstructor

@AllArgsConstructor

public class User {

@Id

private Long id;

private String name;

private Integer age;

}

@Service

@Slf4j

public class UserService {

@Autowired

private UserRepository userRepository;

@Cacheable(value = “users”)

public User getUserById(Long id) {

log.info(“getUserById from db. id:{}”, id);

return userRepository.findById(id).orElse(null);

}

@CachePut(value = “users”, key = “#user.id”)

public User updateUser(User user) {

log.info(“updateUser to db. user:{}”, user);

return userRepository.save(user);

}

}

上述代码中,@Cacheable和@CachePut注解中的value参数指定了缓存的名称,key参数指定了缓存的键值,使用了SpEL表达式。代码逻辑很简单,先从缓存中获取数据,如果不存在,则从数据库中查询,并将结果放入缓存中;更新操作将缓存中的数据清除,并将新的数据放入缓存中。

3. 总结

本文介绍了Redis注解的使用方式以及在Spring Boot项目中使用Redis进行缓存的实践。Redis注解能够大大简化缓存代码的开发,而Spring Boot的自动化配置和依赖管理也使得Redis缓存的使用变得从容易行。在实际开发中,需要根据具体场景选择不同的注解和配置,以达到最优的缓存效果。


数据运维技术 » Redis简易注解入门及缓存实践(redis 注解缓存)