Java Springboot 整合redis(Springboot-Version:2.1.3.RELEASE)

  • 环境准备
    • 添加redis依赖
      
          org.springframework.boot
          spring-boot-starter-data-redis
      
      
          redis.clients
          jedis
      
      
    • 在application.properties中添加redis属性
    spring.redis.host=localhost
    spring.redis.port=6379
    #spring.redis.password=
    # 默认是0
    spring.redis.database=1
    spring.redis.jedis.pool.max-idle=8
    spring.redis.jedis.pool.min-idle=0
    spring.redis.jedis.pool.max-wait=-1ms
    spring.redis.jedis.pool.max-active=8
    
  • 使用的时候需要创建JedisConnectionFactory,RedisTemplate对象
  • JedisConnectionFactory

    @Bean
    @ConfigurationProperties(prefix = "spring.redis")
    public JedisPoolConfig poolConfig() {
        JedisPoolConfig poolConfig = new JedisPoolConfig();
        return poolConfig;
    }


    @Bean
    public JedisConnectionFactory redisConnectionFactory() {
        return new JedisConnectionFactory(poolConfig());
    }

  • RedisTemplate
@Bean
public RedisTemplate redisTemplate() {
        // 注意这里使用的是StringRedisTempalte
        StringRedisTemplate template = new StringRedisTemplate(redisConnectionFactory());
        GenericJackson2JsonRedisSerializer jackson2JsonRedisSerializer = new GenericJackson2JsonRedisSerializer();
        // 设置值的序列化器
        template.setValueSerializer(jackson2JsonRedisSerializer);
        return template;
}
  • 请注意上面配置模板的方式,在Spring-data-redis中,提供了两种模板,一种是RedisTemplate每一种是StringRedisTempalte,区别在于,RedisTemplate的键值序列使用的是默认的序列化器,即JdkSerializationRedisSerializer,而StringRedisTemplate使用的是StringRedisSerializer。 两者的关系是StringRedisTemplate继承RedisTemplate。
    两者的数据是不共通的;也就是说StringRedisTemplate只能管理StringRedisTemplate里面的数据,RedisTemplate只能管理RedisTemplate中的数据。
    SDR默认采用的序列化策略有两种,一种是String的序列化策略,一种是JDK的序列化策略。
    StringRedisTemplate默认采用的是String的序列化策略,保存的key和value都是采用此策略序列化保存的。
    RedisTemplate默认采用的是JDK的序列化策略,保存的key和value都是采用此策略序列化保存的。
    在上面的配置中,我们也可以使用RedisTempalte,并且手动配置其对应的序列化器来覆盖默认的序列化器即可。
    在上面的配置中,我们使用的值序列化器是GenericJackson2JsonRedisSerializer,当然,使用Jackson2JsonRedisSerializer也是可以,只是需要多做一些额外的配置。
    到此为止,配置环节就完成了,接下来就是使用了。
  • Spring-data-redis使用
    在Spring-data-redis中,为Redis的五种不同的数据结构提供了五种不同的操作类,如下所示
ValueOperations valueOps;
ListOperations listOps;
SetOperations setOps;
ZSetOperations zSetOps;
HashOperations hashOps;

可以通过tempalte.opsForXXX()方法来获取对应的对象,然后进行对应的操作。
在注入RedisTemplate的时候需要注意,由于RedisTemplate是泛型,并且获取的对应的操作类的类型是注入是的类型是相同的,所以,在注入的时候就选择合适的类型是比较推荐的。

@Autowired
private RedisTemplate redisTemplate;
// .....

ValueOperations ops = redisTemplate.opsForValue();
ListOperations listOps = redisTemplate.opsForList();
HashOperations hashOps = redisTemplate.opsForHash();
// ....

对应的Ops的操作方式跟原生命令比较相似,只是由于现在加入了序列化器,记得上面的配置吗?所有,现在可以直接操作对象了。

  • 源码地址

你可能感兴趣的:(Java Springboot 整合redis(Springboot-Version:2.1.3.RELEASE))