Java中transient关键字的作用
总结一下Java中transient关键字的作用:
首先从transient单词本身的意思来理解,它的英文原意为:短暂的,暂时的
它的作用体现在将数据序列化的时候,你不想把其中的某个属性序列化到文件中,就需要用transient修饰,指明该属性是一个临时的属性,举个例子:
这是一个学生类:
public class Student implements Serializable {//注意:要想序列化,必须实现Serializable接口
private String name;
private Integer age;
private transient String address; //使用transient修饰
public Student() {
}
public Student(String name, Integer age, String address) {
this.name = name;
this.age = age;
this.address = address;
}
//Getter/Setter
}
我序列化的时候不打算将学生的地址这个属性保存,只想保存name和age属性,我将adress属性用transient关键字修饰,下面进行序列化:
public class TestStudent {
public static void main(String[] args) throws IOException {
List<Student> list = new ArrayList<>();
Student s1 = new Student("Jack", 20, "北京");
Student s2 = new Student("Rose", 21, "上海");
Student s3 = new Student("Hoke", 22, "深圳");
Student s4 = new Student("Mark", 23, "天津");
Student s5 = new Student("Json", 24, "成都");
list.add(s1);
list.add(s2);
list.add(s3);
list.add(s4);
list.add(s5);
//将学生信息序列化到student.txt文件中
File file = new File("student.txt");
ObjectOutputStream oos = new ObjectOutputStream(new FileOutputStream(file));
oos.writeObject(list);
}
}
下面进行反序列化,进行验证transient的作用:
@Test
public void test() throws IOException, ClassNotFoundException {
ObjectInputStream ois = new ObjectInputStream(new FileInputStream(new File("student.txt")));
Object object = ois.readObject();
if (object instanceof List) {
List<Student> list = (List<Student>) object;
list.forEach(System.out::println);
}
}
结果:
可以看到输出结果中的address属性值为null,没有将值序列化进去;
还没有评论,来说两句吧...