Redis入门 – Jedis存储Java对象 - (Java序列化为byte数组方式)

Redis入门– Jedis存储Java对象- (Java序列化为byte数组方式)

07/19/12 03:08:05 PM

在Jedis开发中,我们很多时候希望直接把一个对象放到Redis中,然后在需要的时候取出来。Redis的key和value都支持二进制安全的字符串,存储Java对象不是问题,下面我们看一下如何来实现。

1要存储的对象

现在写一个很土的JavaBean,包含两个字段,id和name,类名叫做Person。为了实现序列化需求,该类实现Serializable接口。

publicclass Person implements Serializable {

private int id;

private String name;

public Person(int id, Stringname) {

this.id = id;

this.name = name;

}

public int getId() {

return id;

}

public String getName() {

returnname;

}

}

2序列化、反序列化

写一个序列化工具类,来提供对象的序列化和饭序列化的工作。代码如下:

publicclass SerializeUtil {

public static byte[]serialize(Object object) {

ObjectOutputStream oos =null;

ByteArrayOutputStream baos= null;

try {

//序列化

baos = newByteArrayOutputStream();

oos = newObjectOutputStream(baos);

oos.writeObject(object);

byte[] bytes =baos.toByteArray();

return bytes;

} catch (Exception e) {

}

return null;

}

public static Objectunserialize(byte[] bytes) {

ByteArrayInputStream bais= null;

try {

//反序列化

bais = newByteArrayInputStream(bytes);

ObjectInputStream ois= new ObjectInputStream(bais);

returnois.readObject();

} catch (Exception e) {

}

return null;

}

}

3写对象

将Person对象写入Redis中:

publicvoid setObject() {

Person person = newPerson(100, "alan");

jedis.set("person:100".getBytes(),SerializeUtil.serialize(person));

person = new Person(101,"bruce");

jedis.set("person:101".getBytes(),SerializeUtil.serialize(person));

}

运行上面代码之后,我们到命令行窗口中读取该对象,看看有没有写入成功:

redis127.0.0.1:6379> get person:100

"\xac\xed\x00\x05sr\x00\x15alanland.redis.Person\x05\xf4\x8d9A\xf4`\xb0\x02\x00\x02I\x00\x02idL\x00\x04namet\x00\x12Ljava/lang/String;xp\x00\x00\x00dt\x00\x04alan"

可以取到序列化之后的值。

4取对象

用Jedis获取对象:

publicPerson getObject(int id) {

byte[] person =jedis.get(("person:" + id).getBytes());

return (Person)SerializeUtil.unserialize(person);

}

测试一下上一步存入的两个对象:

Personperson = test.getObject(100);

System.out.println(person.getId());

System.out.println(person.getName());

person= test.getObject(101);

System.out.println(person.getId());

System.out.println(person.getName());

Java控制台输入:

100

alan

101

bruce

由此可见,序列化对象在Redis中存取正确。

相关推荐