【Redis入门笔记 05】Jedis 简介 & SpringBoot 集成

redis

🍉使用 Jedis 操作 redis

Jedis 是 redis 官方推荐的 Java 链接链接开发工具,使用 Java 操作 redis 的中间件。

使用 Maven 将 Jedis 依赖添加至 Java 项目中:

1

需要使用 Jedis 时,只需要 new Jedis 对象即可:

import org.junit.Test;
import redis.clients.jedis.Jedis;

public class JedisTest {

    @Test
    public void test() {
//        构造方法传入主机地址与端口号
        Jedis jedis = new Jedis("127.0.0.1", 6379);
        
//        如果 redis 设置了密码,需要先登录才能用 jedis 操作
//        jedis.auth("redis@xxx");
        
//        测试链接
        System.out.println(jedis.ping());
    }
}

//	****************输出***************
//	PONG
//
//	Process finished with exit code 0
//	***********************************

Jedis 的所有命令和 redis 中的命令是一致的,基本上没有学习成本~

jedis

上图是 JedisCommands 接口中的方法,可以发现这里面的方法名和 redis 中的各种命令都是对应的,掌握了 redis 的命令就可以轻松使用 Jedis。

🍍使用 Jedis 创建事务

Jedis 中同样支持事务操作,并且可以使用 watch() 方法实现乐观锁~

import org.junit.Test;
import redis.clients.jedis.Jedis;
import redis.clients.jedis.Transaction;

public class JedisTest {

    @Test
    public void test() {
        Jedis jedis = new Jedis("127.0.0.1", 6379);
//        设置收入与支出数据
        jedis.mset("income", "100", "outcome", "0");
//        开启对收入数据的监控
        jedis.watch("income");
//        开启事务
        Transaction multi = jedis.multi();
        try {
            multi.decrBy("income", 20);
            multi.incrBy("outcome", 20);
            multi.exec();   // 执行事务
        } catch (Exception e) {
            multi.discard();    // 放弃事务
        } finally {
            jedis.close();  // 关闭链接
        }
    }
}

🍓Jedis 实例 - 模拟手机验证码

用 Jedis 实现一个手机验证码模块,功能如下:

  • 输入手机号,点击发送后随机生成 6 位数字码, 2 分钟有效。
  • 输入验证码,点击发送,返回成功或失败。
  • 每个手机号每天只能输入 3 次。

设计思路:

  1. 生成随机的 6 位数字码可以借助 Java 中自带的随机数实现。
  2. 将验证码放到 redis 中,设置 120 秒的过期时间。
  3. 用户输入验证码以后和 redis 中获取的验证码进行比较。
  4. 记录每个手机号每天的发送次数,发送一次用 incr 命令 +1,大于 2 的时候提交不能发送。

代码实现:

package com.jedis.demo;

import redis.clients.jedis.Jedis;

public class PhoneCode {

    public static void main(String[] args) {
//        先执行验证码发送,查看 redis 中的验证码是 177959
//        verifyCode("13675765423");
        getRedisCode("13675765423","177959");
    }

//    1.生成 6 位的验证码
    public static String getCode() {
        return String.valueOf((int) (Math.random() * 1e6));
    }

//    2.每个手机每天只能发送 3 次,验证码放入 redis 并设置过期时间
    public static void verifyCode(String phone) {
//        链接 redis
        Jedis jedis = new Jedis("127.0.0.1", 6379);
//        拼接 key:手机发送次数,验证码
        String countKey = "VerifyCode" + phone + ":count";
        String codeKey = "VerifyCode" + phone + ":code";
//        存入验证码,限制发送次数
        String count = jedis.get(codeKey);
        if (count == null) {
            jedis.setex(countKey, 24 * 60 * 60, "1");
            jedis.setex(codeKey, 120, getCode());
        } else if (Integer.parseInt(count) <= 2) {
            jedis.incr(countKey);
            jedis.setex(codeKey, 120, getCode());
        } else {
            System.out.println("今天发送次数已经超过三次!");
            jedis.close();
        }
    }

//    验证码校验
    public static void getRedisCode (String phone, String code) {
        Jedis jedis = new Jedis("127.0.0.1", 6379);
        String codeKey = "VerifyCode" + phone + ":code";
        String redisCode = jedis.get(codeKey);
        if (code.equals(redisCode)) {
            System.out.println("成功!");
        } else {
            System.out.println("失败!");
        }
    }

}

输出


🍈redis 与 SpringBoot 整合

目前 SpringBoot 中整合 redis 已经不需要借助上面的 Jedis 了,原因是在 SpringBoot 2.x 版本之后,原来使用的 Jedis 被替换为了 Lettuce。Lettuce 使用 Netty 作为通信层组件,使用上更加方便快捷,抽象度高,并且通过线程安全的连接降低了系统中的连接数量,提升了系统的稳定性。

SpringBoot 整合 redis 非常简单,只需要以下几个步骤:

  1. 在 SpringBoot 项目的 pom.xml 文件中引入 redis 相关依赖。

    <!-- redis -->
    <dependency>
    	<groupId>org.springframework.boot</groupId>
    	<artifactId>spring-boot-starter-data-redis</artifactId>
    </dependency>
    

    如果使用的是 SpringBoot 2.x 的版本,集成 redis 还需要多引入一个 commons-pool2 依赖。

    <dependency>
    	<groupId>org.apache.commons</groupId>
    	<artifactId>commons-pool2</artifactId>
    	<version>2.6.0</version>
    </dependency>
    
  2. application.properties 设置 redis 配置。

    #Redis服务器地址
    spring.redis.host=127.0.0.1
    #Redis服务器连接端口
    spring.redis.port=6379
    #Redis登录密码
    spring.redis.password=redis@xxx
    #Redis数据库索引(默认为0)
    spring.redis.database=0
    #连接超时时间(毫秒)
    spring.redis.timeout=1800000
    

    注: \color{red}{注:} 注:以下关于连接池的配置在版本较低的 SpringBoot 项目中必须引入 commons-pool2 依赖才能使用!

    #连接池最大连接数(使用负值表示没有限制)
    spring.redis.lettuce.pool.max-active=20
    #最大阻塞等待时间(负数表示没限制)
    spring.redis.lettuce.pool.max-wait=-1
    #连接池中的最大空闲连接
    spring.redis.lettuce.pool.max-idle=5
    #连接池中的最小空闲连接
    spring.redis.lettuce.pool.min-idle=0
    
  3. 注入 RedisTemplate,使用 redisTemplate 对象操作 redis。

    package com.example.redisspringboot;
    
    import org.junit.jupiter.api.Test;
    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.boot.test.context.SpringBootTest;
    import org.springframework.data.redis.core.RedisTemplate;
    
    @SpringBootTest
    class RedisSpringbootApplicationTests {
    
    	@Autowired
    	private RedisTemplate redisTemplate;
    
    	@Test
    	void contextLoads() {
    //        操作字符串 opsForValue()
        	redisTemplate.opsForValue().set("name", "jack");
    //        操作列表
        	redisTemplate.opsForList().leftPushAll("list1", "v1", "v2", "v3");
    //        获取 redis 中的数据
        	System.out.println(redisTemplate.opsForValue().get("name"));
        	System.out.println(redisTemplate.opsForList().range("list1", 0, -1));
    	}
    
    }
    

💭关于对象的序列化:

使用 SpringBoot 和 redis 时,经常会遇到要把一个对象存入 redis 的场景,我们可以用两种方法解决。一种是将对象转换成 json 格式的字符串,然后再放入到 redis 中;另一种方法是在 redisTemplate 的方法中直接传入对象,但是对象类必须序列化!

比如我们先在 SpringBoot 项目中创建一个 pojo,User 类,让他实现序列化接口:

package com.example.redisspringboot.pojo;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.springframework.stereotype.Component;

import java.io.Serializable;

@Component
@AllArgsConstructor
@NoArgsConstructor
@Data
public class User implements Serializable {

    private String name;
    private int age;

}

序列化的对象可以直接作为 redisTemplate 的参数,存入 redis 数据库。

package com.example.redisspringboot;

import com.example.redisspringboot.pojo.User;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.data.redis.core.RedisTemplate;

@SpringBootTest
class RedisSpringbootApplicationTests {

    @Autowired
    private RedisTemplate redisTemplate;

    @Test
    void contextLoads(){
//        使用序列化的对象可以直接保存到redis
        User user = new User("钢铁侠", 3);
//        在 redis 中保存 user 对象
        redisTemplate.opsForValue().set("user", user);
//        输出 user
        System.out.println(redisTemplate.opsForValue().get("user"));
    }

}

输出

如果我们要保存的对象没有序列化,也可以使用 json 工具手动将对象转换为字符串再存入 redis。

package com.example.redisspringboot;

import com.example.redisspringboot.pojo.User;
import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.data.redis.core.RedisTemplate;

@SpringBootTest
class RedisSpringbootApplicationTests {

    @Autowired
    private RedisTemplate redisTemplate;

    @Test
    void contextLoads() throws JsonProcessingException {
//        使用Json格式来传递对象
        User user = new User("钢铁侠", 3);
        String jsonUser = new ObjectMapper().writeValueAsString(user);
//        在 redis 中保存 user 对象
        redisTemplate.opsForValue().set("user", jsonUser);
//        输出 user
        System.out.println(redisTemplate.opsForValue().get("user"));
    }

}

🥝RedisTemplate 与 StringRedisTemplate

SpringBoot 中,除了使用 RedisTemplate 操作 redis 数据库,还可以使用 StringRedisTemplate,使用方式和 RedisTemplate 相同,添加注解 @Autowired 即可。

@Autowired
private StringRedisTemplate stringRedisTemplate;

StringRedisTemplateRedisTemplate 的方法基本相同,两者的区别在于:

  • 两者的关系是 StringRedisTemplate 继承 RedisTemplate
  • 两者之间的区别主要在于他们的序列化不同:RedisTemplate 使用的是JdkSerializationRedisSerializer ,存入数据会将数据先序列化成字节数组然后在存入redis 数据库; StringRedisTemplate 使用的是 StringRedisSerializer
  • 当你的 redis 数据库里面本来存的是字符串数据或者你要存取的数据就是字符串类型数据的时候,那么你就使用 StringRedisTemplate 即可。
  • 但是如果你的数据是复杂的对象类型,而取出的时候又不想做任何的数据转换,直接从 redis 里面取出一个对象,那么使用 RedisTemplate 是更好的选择。

🍑自定义 redisTemplate

虽然我们可以将对象转为 json 字符串或者直接将序列化的对象作为 redisTemplate 的参数,但是默认的序列化方式是 jdk 自带的序列化,保存进 redis 中的数据会存在转义字符,虽然在 Java 的输出中可以拿到正确的结果,但是如果我们直接进入 redis 客户端来查看上面的代码保存进数据库的数据会发现如下结果:

1

刚刚存入的 key 前面多出来了一堆字符,用 key 取数据也取不到~

SpringBoot 整合 RedisTemplate 操作 redis 进行序列化/反序列化存储,redis 拥有多种数据类型,在序列化/反序列化过程中,需要保持算法一致,否则会出现 get 不到、set 乱码的问题。

既然使用原生的 RedisTemplate 有乱码的问题,一个完美的解决办法就是自定义 RedisTemplate 的序列化方式。

创建一个 RedisConfig 类,定义自己的 RedisTemplate

package com.example.redisspringboot.config;

import com.fasterxml.jackson.annotation.JsonAutoDetect;
import com.fasterxml.jackson.annotation.PropertyAccessor;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.redis.connection.RedisConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.data.redis.serializer.Jackson2JsonRedisSerializer;
import org.springframework.data.redis.serializer.StringRedisSerializer;

@Configuration
public class RedisConfig {

//    编写自己的 RedisTemplate
    @Bean
    @SuppressWarnings("all")
    public RedisTemplate<Object, Object> redisTemplate(RedisConnectionFactory redisConnectionFactory) {
        RedisTemplate<Object, Object> template = new RedisTemplate();
        template.setConnectionFactory(redisConnectionFactory);

        Jackson2JsonRedisSerializer jackson2JsonRedisSerializer = new Jackson2JsonRedisSerializer(Object.class);
        ObjectMapper om = new ObjectMapper();
        om.setVisibility(PropertyAccessor.ALL, JsonAutoDetect.Visibility.ANY);
        om.enableDefaultTyping(ObjectMapper.DefaultTyping.NON_FINAL);
        jackson2JsonRedisSerializer.setObjectMapper(om);

//        String 的序列化
        StringRedisSerializer stringRedisSerializer = new StringRedisSerializer();

//        key 采用 String 的序列化方式
        template.setKeySerializer(stringRedisSerializer);
//        hash 的 key 也采用 string 的序列化方式
        template.setHashKeySerializer(stringRedisSerializer);
//        value 序列化方式采用jackson
        template.setValueSerializer(jackson2JsonRedisSerializer);
//        hash 的 value 序列化方式采用 jackson
        template.setHashKeySerializer(jackson2JsonRedisSerializer);
        template.afterPropertiesSet();

        return template;
    }

}

然后操作 redis 时使用我们自定义的 RedisTemplate 就不会有乱码的问题了。

@Autowired
@Qualifier("redisTemplate")
private RedisTemplate redisTemplate;

2


🚀redis 系列专栏:Redis 快速入门
❤整理不易❤ 还请各位读者老爷们三连支持一下╰( ̄ω ̄o)

footer

  • 21
    点赞
  • 14
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 21
    评论
评论 21
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

Mymel_晗

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值