文章目录
- 序列化对象
- 对象序列化
- 对象反序列化
序列化对象
对象序列化
对象序列化概念:
作用:以内存为基准,把内存中的对象存储到磁盘文件中去,称为对象序列化。
使用到的流是对象字节输出流:ObjectOutputStream
ObjectOutputStream构造器:
构造器 | 说明 |
---|---|
ObjectOutputStream(OutputStream out) | 把低级字节输出流包装成高级的对象字节输出流 |
ObjectOutputStream序列化方法:
方法名称 | 说明 |
---|---|
writeObject(Object obj) | 把对象写出去到对象序列化流的文件中去 |
演示代码:
例如我们有如下一个Student对象
注意: 如果对象要序列化必须实现Serializable接口
package com.chenyq.d4_serializable;
import java.io.Serializable;
// 对象要序列化必须实现Serializable接口
public class Student implements Serializable {
private String name;
private int age;
private double height;
public Student() {
}
public Student(String name, int age, double height) {
this.name = name;
this.age = age;
this.height = height;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public double getHeight() {
return height;
}
public void setHeight(double height) {
this.height = height;
}
@Override
public String toString() {
return "Student{" +
"name='" + name + '\'' +
", age=" + age +
", height=" + height +
'}';
}
}
使用对象字节输出流进行对象序列化
public static void main(String[] args) throws Exception {
// 1.创建学生对象
Student stu1 = new Student("aaa", 19, 1.88);
System.out.println(stu1); // Student{name='aaa', age=19, height=1.88}
Student stu2 = new Student("bbb", 32, 1.66);
System.out.println(stu2); // Student{name='bbb', age=32, height=1.66}
// 2.使用对象字节输出流包装字节输出流
ObjectOutputStream oos = new ObjectOutputStream(new FileOutputStream("/Users/chenyq/Documents/test.txt"));
// 3.调用序列化方法, 把对象写到文件当中去
oos.writeObject(stu1);
oos.writeObject(stu2);
// 4.释放资源
oos.close();
}
注意: 序列化结果如下代表序列化成功, 因为序列化只是暂时存储, 并不是给我们开发者看的
序列化结果: ��sr"com.chenyq.d4_serializable.Student��P����IageDheightLnametLjava/lang/String;xp?�z�G�taaasq~ ?��(�tbbb
对象反序列化
对象反序列化概念:
使用到的流是对象字节输入流:ObjectInputStream
作用:以内存为基准,把存储到磁盘文件中去的对象数据恢复成内存中的对象,称为对象反序列化。
对象反序列化构造器:
构造器 | 说明 |
---|---|
ObjectInputStream(InputStream out) | 把低级字节输如流包装成高级的对象字节输入流 |
对象反序列化方法:
方法名称 | 说明 |
---|---|
readObject() | 把存储到磁盘文件中去的对象数据恢复成内存中的对象返回 |
演示代码:
将刚刚序列化的文件反序列化回复为原来Java内存当中的对象
public static void main(String[] args) throws Exception {
// 1.创建对象字节输入流并包装原始字节输入流
ObjectInputStream oos = new ObjectInputStream(new FileInputStream("/Users/chenyq/Documents/test.txt"));
// 2.调用对象字节输入流反序列化方法
Student stu1 = (Student) oos.readObject();
Student stu2 = (Student) oos.readObject();
System.out.println(stu1); // Student{name='aaa', age=19, height=1.88}
System.out.println(stu2); // Student{name='aaa', age=19, height=1.88}
}