在Jedis開發中,咱們不少時候但願直接把一個對象放到Redis中,而後在須要的時候取出來。Redis的key和value都支持二進制安全的字符串,存儲Java對象不是問題,下面咱們看一下如何來實現。java
如今寫一個很土的Java Bean,包含兩個字段,id和name,類名叫作Person。爲了實現序列化需求,該類實現Serializable接口。redis
public class Person implements Serializable { private int id; private String name; public Person(int id, String name) { this.id = id; this.name = name; } public int getId() { return id; } public String getName() { return name; } }
寫一個序列化工具類,來提供對象的序列化和飯序列化的工做。代碼以下:安全
public class SerializeUtil { public static byte[] serialize(Object object) { ObjectOutputStream oos = null; ByteArrayOutputStream baos = null; try { //序列化 baos = new ByteArrayOutputStream(); oos = new ObjectOutputStream(baos); oos.writeObject(object); byte[] bytes = baos.toByteArray(); return bytes; } catch (Exception e) { } return null; } public static Object unserialize(byte[] bytes) { ByteArrayInputStream bais = null; try { //反序列化 bais = new ByteArrayInputStream(bytes); ObjectInputStream ois = new ObjectInputStream(bais); return ois.readObject(); } catch (Exception e) { } return null; } }
將Person對象寫入Redis中:工具
public void setObject() { Person person = new Person(100, "alan"); jedis.set("person:100".getBytes(), SerializeUtil.serialize(person)); person = new Person(101, "bruce"); jedis.set("person:101".getBytes(), SerializeUtil.serialize(person)); }
運行上面代碼以後,咱們到命令行窗口中讀取該對象,看看有沒有寫入成功:測試
redis 127.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"
能夠取到序列化以後的值。this
用Jedis獲取對象:spa
public Person getObject(int id) { byte[] person = jedis.get(("person:" + id).getBytes()); return (Person) SerializeUtil.unserialize(person); }
測試一下上一步存入的兩個對象:命令行
Person person = 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控制檯輸入:code
100 alan 101 bruce
因而可知,序列化對象在Redis中存取正確。對象