Spring Data Redis:String 的存取
目录
String、Hash、List、Set、Sorted Set
implementation 'org.springframework.boot:spring-boot-starter-data-redis'
spring.redis.host=localhost
spring.redis.port=6379
spring.redis.timeout=10000ms
主要利用 RedisTemplate
,模板提供了很多操作接口,String
对应的是 ValueOperation
。
一旦配置,模板就是线程安全的,可以跨多个实例重用,大多数操作接口都是使用基于 Java
的序列器。
此外,还提供了 StringRedisTemplate
用以方便操作字符串。
StringRedisTemplate 是 RedisTemplate 的子类,两个的方法基本一致,不同之处主要体现在操作的数据类型不同,RedisTemplate 中的两个泛型都是 Object ,意味者存储的 key 和 value 都可以是一个对象,而 StringRedisTemplate 的 两个泛型都是 String ,意味者 StringRedisTemplate 的 key 和 value 都只能是字符串。
可直接注入 RedisTemplate
或 StringRedisTemplate
:
@Service
public class HelloService {
@Autowired
RedisTemplate redisTemplate;
public void hello() {
ValueOperations ops = redisTemplate.opsForValue();
ops.set("k1", "v1");
Object k1 = ops.get("k1");
System.out.println(k1);
}
}
- 针对 key 的操作,相关的方法就在 RedisTemplate 中。
- 针对具体数据类型的操作,需要首先获取对应的数据类型,获取相应数据类型的操作方法是 opsForXXX,然后调用相关方法。
RedisTemplate 中,key 默认的序列化方案是 JdkSerializationRedisSerializer 。而在 StringRedisTemplate 中,key 默认的序列化方案是 StringRedisSerializer ,因此,如果使用 StringRedisTemplate ,默认情况下 key 前面不会有前缀。
还可以把操作作为Bean
:
// 不写具体名称时,会注入 redisTemplate
@Resource(name = "stringRedisTemplate")
private StringRedisTemplate redisTemplate;
@Resource
private ValueOperations<String, String> valueOperation;
/**
* ValueOperations Bean.
* @return Bean
*/
@Bean
private ValueOperations<String, String> valueOperations() {
return redisTemplate.opsForValue();
}