0

我正在按照本教程学习 Java 序列化。我已经使用以下代码从序列化文件中成功读取并使用了我的对象(省略了导入):

public class SimpleSerializationTest {
static class Person implements Serializable{
    String name;
    int age;
    boolean isMale;

    static final long serialVersionUID = 314L;
}

public static void main(String[] args) throws Exception{
    Person p = new Person();
    p.name = "Mark";
    p.age = 20;
    p.isMale = true;

    ObjectOutputStream oos = new ObjectOutputStream(new FileOutputStream("mark.ser"));

    try{
        oos.writeObject(p);
    } catch(IOException ioe){
        ioe.printStackTrace();
    } finally{
        oos.close();
    }

    ObjectInputStream ois = new ObjectInputStream(new FileInputStream("mark.ser"));

    try{
        // NOTE: Will change this later!
        Person mark = (Person) ois.readObject();
        System.out.println(mark.name);
    } catch(IOException ioe){
        ioe.printStackTrace();
    } finally{
        ois.close();
    }
}
}

但是,我序列化对象的主要目的是为了将其推送到 Redis 存储。所以,为此,我不需要它们以对象形式,而是以字节形式。所以我将最后一个 try-block 的内容更改为...

while(true){
   try{
        System.out.println(ois.readByte());
    } catch(EOFException eofe){
        eofe.printStackTrace();
        break;
    }
}

但这会立即引发 EOFException。有什么我做错了吗?

4

2 回答 2

3

对象流被标记。这意味着,如果您阅读的信息类型与其预期的信息不同,它可能会感到困惑,从而导致 EOFException 而不是像 IllegalStateException 这样具有适当错误消息的更有意义的信息。

如果您想要由 ObjectOutputStream 写入的字节,最简单的方法就是仅使用内存。

ByteArrayOutputStream baos = new ByteArrayOutputStream();
ObjectOutputStream ois = new ObjectOutputStream(baos);
ois.writeObject(object);
ois.close();
byte[] bytes = baos.toByteArray();
于 2012-10-11T07:34:43.897 回答
0

如果要将实例推送到 redis 中,可以使用JRedis

来自文档的示例代码。

// instance it
SimpleBean obj = new SimpleBean ("bean #" + i);

// get the next available object id from our Redis counter using INCR command
int id = redis.incr("SimpleBean::next_id")

// we can bind it a unique key using map (Redis "String") semantics now
String key = "objects::SimpleBean::" + id;

// voila: java object db
redis.set(key, obj);

// and lets add it to this set too since this is so much fun
redis.sadd("object_set", obj);
于 2012-10-11T07:59:10.480 回答