为什么Java有瞬时字段?


当前回答

瞬时关键字的简化示例代码。

import java.io.*;

class NameStore implements Serializable {
    private String firstName, lastName;
    private transient String fullName;

    public NameStore (String fName, String lName){
        this.firstName = fName;
        this.lastName = lName;
        buildFullName();
    }

    private void buildFullName() {
        // assume building fullName is compuational/memory intensive!
        this.fullName = this.firstName + " " + this.lastName;
    }

    public String toString(){
        return "First Name : " + this.firstName
            + "\nLast Name : " + this.lastName
            + "\nFull Name : " + this.fullName;
    }

    private void readObject(ObjectInputStream inputStream)
            throws IOException, ClassNotFoundException
    {
        inputStream.defaultReadObject();
        buildFullName();
    }
}

public class TransientExample{
    public static void main(String args[]) throws Exception {
        ObjectOutputStream o = new ObjectOutputStream(new FileOutputStream("ns"));
        o.writeObject(new NameStore("Steve", "Jobs"));
        o.close();

        ObjectInputStream in = new ObjectInputStream(new FileInputStream("ns"));
        NameStore ns = (NameStore)in.readObject();
        System.out.println(ns);
    }
}

其他回答

允许您定义不希望序列化的变量。

在对象中,您可能有不希望序列化/持久化的信息(可能是对父工厂对象的引用),或者序列化没有意义。将这些标记为“瞬时”意味着序列化机制将忽略这些字段。

因为并非所有变量都具有可序列化的性质

在我回答这个问题之前,我需要解释序列化,因为如果你理解了它在科学计算机中的含义,你可以很容易地理解这个关键词。

当对象通过网络传输/保存在物理介质(文件,…)上时,该对象必须“序列化”。序列化转换字节状态对象序列。这些字节在网络上发送/保存,并根据这些字节重新创建对象。

例子:

public class Foo implements Serializable 
{
 private String attr1;
 private String attr2;
 ...
}

现在,如果这个类中有一个字段不想传输或保存,可以使用transient关键字

private transient attr2;

这防止在序列化类时包含字段表单。

transient用于指示类字段不需要序列化。最好的例子可能是线程字段。通常没有理由序列化线程,因为它的状态非常“特定于流”。

瞬态变量是在类序列化时不包含的变量。

我想到的一个可能有用的例子是,只有在特定对象实例的上下文中才有意义的变量,并且在序列化和反序列化对象之后,这些变量就会变得无效。在这种情况下,让这些变量变为空是很有用的,这样您就可以在需要时用有用的数据重新初始化它们。