Java 中瞬态变量是什么?说明。
在 Java 中,序列化是一个概念,我们可以使用它将一个对象的状态写入一个字节流中,以便我们可以通过网络传输它(使用 JPA 和 RMI 等技术)。
在序列化一个类的对象时,如果你希望 JVM 忽略一个特定的实例变量,你可以在声明该变量时使用 transient。
public transient int limit = 55; // will not persist public int b; // will persist
在以下 Java 程序中,Student 类有两个实例变量 name 和 age,其中 age 被声明为 transient。在另一个名为 EampleSerialize 的类中,我们尝试序列化和反序列化 Student 对象并显示其实例变量。由于 age 是不可见的(瞬态的),因此仅显示 name 值。
示例
import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.ObjectInputStream; import java.io.ObjectOutputStream; import java.io.Serializable; class Student implements Serializable{ private String name; private transient int age; public Student(String name, int age){ this.name = name; this.age = age; } public String getName() { return this.name; } public void setName(String name) { this.name = name; } public void setAge(int age) { this.age = age; } public int getAge() { return this.age; } } public class ExampleSerialize{ public static void main(String args[]) throws Exception{ Student std1 = new Student("Krishna", 30); FileOutputStream fos = new FileOutputStream("e:\student.ser"); ObjectOutputStream oos = new ObjectOutputStream(fos); oos.writeObject(std1); FileInputStream fis = new FileInputStream("e:\student.ser"); ObjectInputStream ois = new ObjectInputStream(fis); Student std2 = (Student) ois.readObject(); System.out.println(std2.getName()); } }
输出
Krishna
广告