当只有子类实现可序列化时,序列化的工作原理
2022-09-01 17:23:33
只有子类具有实现的接口。Serializable
import java.io.*;
public class NewClass1{
private int i;
NewClass1(){
i=10;
}
int getVal() {
return i;
}
void setVal(int i) {
this.i=i;
}
}
class MyClass extends NewClass1 implements Serializable{
private String s;
private NewClass1 n;
MyClass(String s) {
this.s = s;
setVal(20);
}
public String toString() {
return s + " " + getVal();
}
public static void main(String args[]) {
MyClass m = new MyClass("Serial");
try {
ObjectOutputStream oos = new ObjectOutputStream(new FileOutputStream("serial.txt"));
oos.writeObject(m); //writing current state
oos.flush();
oos.close();
System.out.print(m); // display current state object value
} catch (IOException e) {
System.out.print(e);
}
try {
ObjectInputStream ois = new ObjectInputStream(new FileInputStream("serial.txt"));
MyClass o = (MyClass) ois.readObject(); // reading saved object
ois.close();
System.out.print(o); // display saved object state
} catch (Exception e) {
System.out.print(e);
}
}
}
我在这里注意到的一件事是,父类没有序列化。那么,为什么它没有抛出它确实显示以下内容NotSerializableException
输出
Serial 20
Serial 10
此外,输出与 和 不同。我才知道,是因为父类没有实现。但是,如果有人解释我,在对象序列化和反序列化期间会发生什么。它如何改变值?我无法弄清楚,我也在我的程序中使用了注释。所以,如果我在任何时候都错了,请告诉我。Serialization
De-serialization
Serializable