什么是对象序列化?

“对象序列化”是什么意思?您能用一些例子来解释一下吗?


答案 1

序列化是将对象转换为一系列字节,以便可以轻松将对象保存到持久性存储或通过通信链路进行流式传输。然后可以反序列化字节流 - 将其转换为原始对象的副本。


答案 2

您可以将序列化视为将对象实例转换为字节序列(可能是二进制的,也可能不是,具体取决于实现)的过程。

当您想要通过网络传输一个对象数据时,例如从一个JVM到另一个JVM时,它非常有用。

在 Java 中,序列化机制内置于平台中,但您需要实现可序列化接口以使对象可序列化。

还可以通过将属性标记为瞬态来防止序列化对象中的某些数据。

最后,您可以覆盖默认机制,并提供自己的机制;这可能适用于某些特殊情况。为此,请使用Java中的隐藏功能之一。

请务必注意,序列化的是对象或内容的“值”,而不是类定义。因此,方法不会序列化。

这是一个非常基本的示例,带有注释以方便其阅读:

import java.io.*;
import java.util.*;

// This class implements "Serializable" to let the system know
// it's ok to do it. You as programmer are aware of that.
public class SerializationSample implements Serializable {

    // These attributes conform the "value" of the object.

    // These two will be serialized;
    private String aString = "The value of that string";
    private int    someInteger = 0;

    // But this won't since it is marked as transient.
    private transient List<File> unInterestingLongLongList;

    // Main method to test.
    public static void main( String [] args ) throws IOException  { 

        // Create a sample object, that contains the default values.
        SerializationSample instance = new SerializationSample();

        // The "ObjectOutputStream" class has the default 
        // definition to serialize an object.
        ObjectOutputStream oos = new ObjectOutputStream( 
                               // By using "FileOutputStream" we will 
                               // Write it to a File in the file system
                               // It could have been a Socket to another 
                               // machine, a database, an in memory array, etc.
                               new FileOutputStream(new File("o.ser")));

        // do the magic  
        oos.writeObject( instance );
        // close the writing.
        oos.close();
    }
}

当我们运行这个程序时,文件“o.ser”被创建,我们可以看到后面发生了什么。

如果我们将:someInteger的值更改为,例如Integer.MAX_VALUE,我们可能会比较输出以查看差异是什么。

下面是一个屏幕截图,准确地显示了这种差异:

alt text

你能发现其中的差异吗?;)

Java序列化中还有一个额外的相关字段:serialversionUID,但我想这已经太长了,无法涵盖它。