-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSerializationExamples.java
67 lines (57 loc) · 2.16 KB
/
SerializationExamples.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
package concept.examples.serialization;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
import java.io.Serializable;
class Rectangle implements Serializable {
public Rectangle(int length, int breadth) {
this.length = length;
this.breadth = breadth;
area = length * breadth;
}
int length;
int breadth;
transient int area;
private void writeObject(ObjectOutputStream os) throws IOException {
// Do whatever java does usually when serialization is called
os.defaultWriteObject();
}
private void readObject(ObjectInputStream is) throws IOException,
ClassNotFoundException {
// Do whatever java does usually when de-serialization is called
is.defaultReadObject();
// In addition, calculate area also
area = this.length * this.breadth;
}
}
public class SerializationExamples {
public static void main(String[] args) throws IOException,
ClassNotFoundException {
// Serialization helps us to save and retrieve the state of an object.
// Serialization => Convert object state to some internal object
// representation.
// De-Serialization => The reverse. Convert internal representation to
// object.
// Two important methods
// ObjectOutputStream.writeObject() // serialize and write to file
// ObjectInputStream.readObject() // read from file and deserialize
// To serialize an object it should implement Serializable interface
// class Rectangle implements Serializable
// Serializing an object
FileOutputStream fileStream = new FileOutputStream("Rectangle.ser");
ObjectOutputStream objectStream = new ObjectOutputStream(fileStream);
objectStream.writeObject(new Rectangle(5, 6));
objectStream.close();
// Deserializing an object
FileInputStream fileInputStream = new FileInputStream("Rectangle.ser");
ObjectInputStream objectInputStream = new ObjectInputStream(
fileInputStream);
Rectangle rectangle = (Rectangle) objectInputStream.readObject();
objectInputStream.close();
System.out.println(rectangle.length);// 5
System.out.println(rectangle.breadth);// 6
System.out.println(rectangle.area);// 30
}
}