java serializable
时间: 2023-12-23 14:28:03 浏览: 154
Java中的Serializable是一个接口,用于实现对象的序列化和反序列化。当一个类实现了Serializable接口时,它的对象可以被转换为字节流,以便在网络上传输或者保存到文件中。同时,这些字节流也可以被反序列化为对象,以便在程序中重新使用。
以下是一个示例,演示了如何在Java中使用Serializable接口进行对象的序列化和反序列化:
```java
import java.io.*;
public class SerializationDemo {
public static void main(String[] args) {
// 创建一个Person对象
Person person = new Person(1, "John");
// 将Person对象序列化为字节流
try {
FileOutputStream fileOut = new FileOutputStream("person.ser");
ObjectOutputStream out = new ObjectOutputStream(fileOut);
out.writeObject(person);
out.close();
fileOut.close();
System.out.println("Person对象已序列化并保存到person.ser文件中");
} catch (IOException e) {
e.printStackTrace();
}
// 从字节流中反序列化Person对象
try {
FileInputStream fileIn = new FileInputStream("person.ser");
ObjectInputStream in = new ObjectInputStream(fileIn);
Person deserializedPerson = (Person) in.readObject();
in.close();
fileIn.close();
System.out.println("从person.ser文件中反序列化得到的Person对象为:" + deserializedPerson);
} catch (IOException | ClassNotFoundException e) {
e.printStackTrace();
}
}
}
```
请注意,要使一个类可序列化,需要满足以下条件:
1. 类必须实现Serializable接口。
2. 所有非静态和非瞬态的成员变量都必须是可序列化的。
3. 如果父类实现了Serializable接口,子类也会自动实现Serializable接口。
阅读全文