在序列化中,当引入继承时,则根据超类和子类定义了某些情况,这使对每种情况下的序列化的理解变得更加简单。应遵循的基本规则如下。
1.当超类实现时,可序列化接口而子类则不。
在这种情况下,即使子类未实现Serializable接口,默认情况下,当超类被序列化时,子类的对象也将被序列化。
public class TestSerialization { public static void main(String[] args) throws IOException, ClassNotFoundException { B obj = new B(); FileOutputStream fos = new FileOutputStream("abc.ser"); ObjectOutputStream oos = new ObjectOutputStream(fos); oos.writeObject(obj); FileInputStream fis = new FileInputStream("abc.ser"); ObjectInputStream ois = new ObjectInputStream(fis); B obj1 = (B)ois.readObject(); System.out.println(obj1.i + " " + obj1.j); } } class A implements Serializable { int i = 10; } class B extends A { int j =20; }
输出结果
value of i is : 10 & value of j is : 20
2.当超类未实现可序列化的接口而子类实现时。
在这种情况下,在子类中继承的超类实例变量不会被序列化,并且在子类的序列化过程中也不会释放其分配的值。此外,在子类序列化期间的JVM也将默认的初始化值重新分配给这些超类的实例变量。在此场景中需要注意的一点是,超类必须具有默认的无参数构造函数,因为反序列化期间JVM访问超类。如果不存在该构造函数,则会遇到编译时异常。
public class TestSerialization { public static void main(String[] args) throws IOException,ClassNotFoundException { B obj = new B(10,20); FileOutputStream fos = new FileOutputStream("abcd.ser"); ObjectOutputStream oos = new ObjectOutputStream(fos); oos.writeObject(obj); FileInputStream fis = new FileInputStream("abcd.ser"); ObjectInputStream ois = new ObjectInputStream(fis); B obj1 = (B) ois.readObject(); System.out.println("value of i is : " +obj1.i + " & value of j is : " + obj1.j); } } class A { int i; A() { System.out.println("父类的默认构造函数。"); } A(int i) { this.i=i; } } class B extends A implements Serializable { int j; B(int i , int j) { super(i); this.j=j; } }
存在默认构造函数时。
父类的默认构造函数。 value of i is : 0 & value of j is : 20
不存在默认构造函数时。
Exception in thread "main" java.io.InvalidClassException: B; B; no valid constructor
3.当需要序列化超类而不是子类时(自定义序列化)。
为了防止子类被序列化,我们需要实现writeObject()
并readObject()
在序列化和反序列化期间由JVM执行的方法以及这些方法抛出NotSerializableException。我们还可以在这些方法中提供自定义逻辑,这些逻辑将在序列化/去角质素。
public class TestSerialization { public static void main(String[] args) throws IOException, ClassNotFoundException { B obj = new B(); FileOutputStream fos = new FileOutputStream("abc.ser"); ObjectOutputStream oos = new ObjectOutputStream(fos); oos.writeObject(obj); FileInputStream fis = new FileInputStream("abc.ser"); ObjectInputStream ois = new ObjectInputStream(fis); B obj1 = (B)ois.readObject(); System.out.println("value of i is : " + obj1.i + " & value of j is : " + obj1.j); } } class A implements Serializable { int i = 10; } class B extends A { int j =20; } //实现writeObject方法, private void writeObject(ObjectOutputStream out) throws IOException { throw new NotSerializableException(); } //实现readObject方法, private void readObject(ObjectInputStream in) throws IOException { throw new NotSerializableException(); }
输出结果
Exception in thread "main" java.io.NotSerializableException at B.writeObject(A.java:20)