8.4 Java序列化

什么是序列化

在Java中,对象序列化意味着将对象表示为字节序列。字节序列包含对象的数据和对象信息。一个被序列化的对象可以被写到文件或数据库中。也可以从文件或数据库中读取然后反序列化。这些表示对象和数据字节流可以在内存中重建对象。

为什么我需要序列化

当你需要通过网络发送对象或者保存对象到文件中时候需要序列化。
网络基础设施和硬件磁盘只能理解bit和字节而不是java对象。序列化转变java对象为字节序列,和通过网络发送或保存它。
为什么我需要保存和传输一个对象那?在我的编程经验中,有以下原因激励我使用可序列化对象。

  1. 对象创建取决于很多上下文。一旦创建,其方法以及其属性是其他组件需要的。
    2.当一个对象被创建并且它包含了很多字段时,我们不确定该使用什么,因此将其存储在数据库中一共稍后的数据分析。

Java序列化例子

以下例子显示如何使一个class具有序列化能力,序列化和反序列化它。

package serialization;
 
import java.io.Serializable;
 
public class Dog implements Serializable {
    private static final long serialVersionUID = -5742822984616863149L;
 
    private String name;
    private String color;
    private transient int weight;
 
    public String getName() {
        return name;
    }
 
    public void setName(String name) {
        this.name = name;
    }
 
    public String getColor() {
        return color;
    }
 
    public void setColor(String color) {
        this.color = color;
    }
 
    public int getWeight() {
        return weight;
    }
 
    public void setWeight(int weight) {
        this.weight = weight;
    }
 
    public void introduce() {
        System.out.println("I have a " + color + " " + name + ".");
    }
}

package serialization;
 
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectInputStream;
import java.io.ObjectOutputStream;
 
public class SerializeDemo {
    public static void main(String[] args) {
        //create an object
        Dog e = new Dog();
        e.setName("bulldog");
        e.setColor("white");
        e.setWeight(5);
 
        //serialize
        try {
            FileOutputStream fileOut = new FileOutputStream("./dog.ser");
            ObjectOutputStream out = new ObjectOutputStream(fileOut);
            out.writeObject(e);
            out.close();
            fileOut.close();
            System.out.printf("Serialized dog is saved in ./dog.ser");
        } catch (IOException i) {
            i.printStackTrace();
        }
 
        e = null;
 
        //Deserialize
        try {
            FileInputStream fileIn = new FileInputStream("./dog.ser");
            ObjectInputStream in = new ObjectInputStream(fileIn);
            e = (Dog) in.readObject();
            in.close();
            fileIn.close();
        } catch (IOException i) {
            i.printStackTrace();
            return;
        } catch (ClassNotFoundException c) {
            System.out.println("Dog class not found");
            c.printStackTrace();
            return;
        }
 
        System.out.println("\nDeserialized Dog ...");
        System.out.println("Name: " + e.getName());
        System.out.println("Color: " + e.getColor());
        System.out.println("Weight: " + e.getWeight());
 
        e.introduce();
 
    }
}

Output:

Serialized dog is saved in ./dog.ser
Deserialized Dog...
Name: bulldog
Color: white
Weight: 0
I have a white bulldog.

你可能感兴趣的:(8.4 Java序列化)