举个java序列化的例子
时间: 2023-07-18 13:07:22 浏览: 142
java序列化和反序列化,面试必备
假设我们有一个Person类,它有姓名和年龄两个属性,并且我们想对这个类进行序列化和反序列化。那么我们可以按照以下步骤进行:
1. 定义Person类
```java
import java.io.Serializable;
public class Person implements Serializable {
private String name;
private int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
}
```
注意,这里我们实现了Serializable接口,这是Java中序列化的标准接口。
2. 序列化Person对象
```java
import java.io.*;
public class SerializationExample {
public static void main(String[] args) {
Person person = new Person("张三", 25);
try {
FileOutputStream fileOut = new FileOutputStream("person.ser");
ObjectOutputStream out = new ObjectOutputStream(fileOut);
out.writeObject(person);
out.close();
fileOut.close();
System.out.println("序列化成功,数据已保存到person.ser文件中。");
} catch (IOException e) {
e.printStackTrace();
}
}
}
```
在这个例子中,我们将Person对象序列化并保存到person.ser文件中。
3. 反序列化Person对象
```java
import java.io.*;
public class DeserializationExample {
public static void main(String[] args) {
try {
FileInputStream fileIn = new FileInputStream("person.ser");
ObjectInputStream in = new ObjectInputStream(fileIn);
Person person = (Person) in.readObject();
in.close();
fileIn.close();
System.out.println("反序列化成功,从person.ser文件中读取到的数据为:" + person.getName() + ", " + person.getAge());
} catch (IOException e) {
e.printStackTrace();
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
}
}
```
在这个例子中,我们从person.ser文件中读取序列化后的Person对象,并将其反序列化为Person对象。注意,我们需要将ObjectInputStream读取到的对象强制转换为Person对象。
综合上述三个步骤,我们可以完成一个简单的Java序列化和反序列化的例子。
阅读全文