设计模式之原型模式(ProtoType)
程序员文章站
2022-06-12 21:47:32
...
Prototype 原型模式
原型模式是关于克隆的
1.浅克隆:只复制基本类型的数据,引用类型的数据只复制了引用的地址,引用的对象并没有复制,在新的对象中修改引用类型的数据会影响原对象中的引用。
2.深克隆:是在引用类型的类中也实现了clone,是clone的嵌套,复制后的对象与原对象之间完全不会影响。
3.使用序列化也能完成深复制的功能:对象序列化后写入流中,此时也就不存在引用什么的概念了,再从流中读取,生成新的对象,新对象和原对象之间也是完全互不影响的。
4.使用clone实现的深克隆其实是浅克隆中嵌套了浅克隆,与toString方法类似
浅克隆
直接实现Cloneable
接口
public class Sheep implements Cloneable{
private String name;
public Sheep() {
}
public Sheep(String name) {
this.name = name;
}
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
@Override
public String toString() {
return "Sheep{" +
"name='" + name + '\'' +
'}';
}
public String getName() {
return name;
}
public static void main(String[] args) throws CloneNotSupportedException {
Sheep sheep1 = new Sheep("hello");
Sheep sheep2 = (Sheep) sheep1.clone();
System.out.println(sheep1.getName() == sheep2.getName());//验证是否对引用类型克隆 true
System.out.println(sheep2);
}
深克隆
重写clone方法
调用引用类型的clone方法或者新建引用对象
上面的clone方法可修改为
@Override
protected Object clone() throws CloneNotSupportedException {
Sheep sheep = (Sheep) super.clone();
sheep.name = new String(this.name);
return sheep;
}
通过序列化和反序列化来实现
对象实现Serializable
接口
上面的对应的deepClone为
public Object deepClone() throws IOException, ClassNotFoundException {
ByteArrayOutputStream bos = new ByteArrayOutputStream();
ObjectOutputStream oos = new ObjectOutputStream(bos);
oos.writeObject(this);
ByteArrayInputStream bis = new ByteArrayInputStream(bos.toByteArray());
ObjectInputStream ois = new ObjectInputStream(bis);
return ois.readObject();
}
上一篇: 天冷锻炼要谨慎 警7细节保健康
下一篇: 原型模式