62 lines
1.7 KiB
Java
Raw Permalink Normal View History

2015-11-03 12:00:44 -08:00
// serialization/SerialCtl.java
// (c)2021 MindView LLC: see Copyright.txt
2015-11-15 15:51:35 -08:00
// We make no guarantees that this code is fit for any purpose.
2016-09-23 13:23:35 -06:00
// Visit http://OnJava8.com for more book information.
2015-06-15 17:47:35 -07:00
// Controlling serialization by adding your own
2016-01-25 18:05:55 -08:00
// writeObject() and readObject() methods
2015-06-15 17:47:35 -07:00
import java.io.*;
public class SerialCtl implements Serializable {
private String a;
private transient String b;
public SerialCtl(String aa, String bb) {
a = "Not Transient: " + aa;
b = "Transient: " + bb;
}
@Override public String toString() {
return a + "\n" + b;
}
2015-06-15 17:47:35 -07:00
private void writeObject(ObjectOutputStream stream)
throws IOException {
stream.defaultWriteObject();
stream.writeObject(b);
}
private void readObject(ObjectInputStream stream)
throws IOException, ClassNotFoundException {
stream.defaultReadObject();
b = (String)stream.readObject();
}
2017-01-22 16:48:11 -08:00
public static void main(String[] args) {
2015-06-15 17:47:35 -07:00
SerialCtl sc = new SerialCtl("Test1", "Test2");
System.out.println("Before:\n" + sc);
2017-01-22 16:48:11 -08:00
try (
ByteArrayOutputStream buf =
new ByteArrayOutputStream();
ObjectOutputStream o =
new ObjectOutputStream(buf);
) {
o.writeObject(sc);
// Now get it back:
try (
ObjectInputStream in =
new ObjectInputStream(
new ByteArrayInputStream(
buf.toByteArray()));
) {
SerialCtl sc2 = (SerialCtl)in.readObject();
System.out.println("After:\n" + sc2);
}
} catch(IOException | ClassNotFoundException e) {
throw new RuntimeException(e);
}
2015-06-15 17:47:35 -07:00
}
2015-09-07 11:44:36 -06:00
}
/* Output:
2015-06-15 17:47:35 -07:00
Before:
Not Transient: Test1
Transient: Test2
After:
Not Transient: Test1
Transient: Test2
2015-09-07 11:44:36 -06:00
*/