1.对象输入输出流
ObjectOutputStream和ObjectInputStream可以用来实现对象序列化和反序列化操作。一般操作对象时,对象是存在内存中的,如果希望将对象保存在硬盘上,或者在网络间传输,这是需要将一个对象序列化为字节序列,这个过程就叫做对象的序列化操作。相应的,如果需要将该字节序列再转换为对应的对象,这个过程就是反序列化。java序列化时会保存类的所有信息,包括属性、方法以及继承关系等等,因此完整但是略显臃肿,在网络传输过程中,有很多其他的对象序列化工具。
(1)ObjectOutputStream是用来对对象进行序列化的输出流。
其实现对象序列化的方法为:
void writeObject(Object o)
该方法可以将给定的对象转换为一个字节序列后写出。
/**
* java.io.ObjectOutputStream
* 对象输出流,时一个高级流,作用是可以直接将java
* 中的一个对象转换为一组字节后写出,这组字节的格式由ObjectOutputStream维护
* 若希望该对象可以被写出,那么前提是该对象所属的类必须实现Serializable接口
*
* 该方法涉及到两个操作
* 1.将对象转换为一组字节
* 2.将该组字节写入到文件中(硬盘上)
* 上面的操作称为数据持久化
* @author zc
*/
public class T06ObjectOutputStream {
public static void main(String[] args) {
Person p=new Person();
p.setAge(11);
p.setGender("女");
p.setName("张三");
List<String> otherInfo=new ArrayList<String>();
p.setOtherInfo(otherInfo);
FileOutputStream fos=null;
ObjectOutputStream oos=null;
try {
fos = new FileOutputStream(new File("oos"));
oos=new ObjectOutputStream(fos);
oos.writeObject(p);
/*
* oos的writeObject方法的作用
* 将给定的java对象转换为一组字节后写出
* 这里由于oos时装载FileOutputStream上的
* 所以转换的这组字节最终通过FileOutputStream写入到了文件中
* */
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}finally{
try {
oos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
其中序列化的Person类需要实现Serializable接口
//认证接口,没有内容
public class Person implements Serializable{...}
(2)
ObjectInputStream是用来对对象进行反序列化的输入流。
其实现对象反序列化的方法为:
Object readObject()
该方法可以从流中读取字节并转换为对应的对象。
如果声明的类序列化存到硬盘上面,之后对该类进行修改,那么当反序列化时,就会出现InvalidClassException,这样就会造成不兼容性的问题。 但/**
* java.io.ObjectInputStream
* 对象输入流,是一个高级流,作用是可以读取一组字节
* 然后将其还原为其描述的对象
* 需要注意,读写的这些字节必须是由ObjectOutputStream
* 将一个对象转换的字节,否则抛出异常
* @author zc
*
*/
public class T07ObjectInputStream {
public static void main(String[] args) {
File file=new File("oos");
FileInputStream fis;
try {
/*
* 将一组字节还原为对象的过程称为;
* 对象的反序列化
* */
fis = new FileInputStream(file);
ObjectInputStream ois=new ObjectInputStream(fis);
Person p=(Person) ois.readObject();
/*读过程中不能修改Person类java.io.InvalidClassException: com.zc.Person; local class incompatible:
stream classdesc serialVersionUID = 6931552357149777351,
local class serialVersionUID = 7070052726645547890*/
System.out.println(p);
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
}
}