对象序列化:将对象的状态信息持久保存的过程。 注意:序列化的类型,必须实现Serializable接口

对象反序列化:根据对象的状态信息恢复对象的过程。

在Redis中有2种常用的方式:字节数组和json串****

1.字节数组
添加依赖

<!-- https://mvnrepository.com/artifact/org.apache.commons/commons-lang3 -->
  <dependency>
     <groupId>org.apache.commons</groupId> 
     <artifactId>commons-lang3</artifactId>
     <version>3.8.1</version>
   </dependency>
 @Test 
public void testJDKSerializer(){
    User user = new User(1, "abc",18,10000.0,new Date());
    //使用commons-lang3中的工具将对象转换为字节数组
    byte[] bs = SerializationUtils.serialize(user);

    Jedis jedis = JedisUtils.getJedis();
    jedis.set("u".getBytes(), bs);

    byte[] bs2 = jedis.get("u".getBytes());
    //使用commons-lang3中的工具将为字节数组转换为对象
    User user2 = SerializationUtils.deserialize(bs2);
    System.out.println("user2 = " + user2);

    JedisUtils.close(jedis);
}

json串

<!-- 引入jackson依赖-->
<dependency>
    <groupId>com.fasterxml.jackson.core</groupId>
    <artifactId>jackson-databind</artifactId>
    <version>2.10.3</version>
</dependency>
@Test
public void testJsonSerializer() throws JsonProcessingException {
    User user = new User(1, "abc",18,10000.0,new Date());
    //使用JSON工具将对象转换为json字符串
    ObjectMapper mapper = new ObjectMapper();
    String userJson = mapper.writeValueAsString(user);

    Jedis jedis = JedisUtils.getJedis();
    jedis.set("u", userJson);

    String userJson2 = jedis.get("u");

    //使用JSON工具将json字符串转换为对象
    User user2 = mapper.readValue(userJson2, User.class);
    System.out.println("user2 = " + user2);

    JedisUtils.close(jedis);

}