原型模式
在需要重复创建一个复杂对象时,可以使用“克隆”的手段来复制一个对象实例,通过这种方式创建对象称为原型模式。
1 使用场景
类初始需要消耗较多的数据、硬件资源时;或new对象需要比较繁琐的数据准备和访问权限时;或一个对象会被其他多个对象访问并修改其属性,可拷贝多个对象供其调用,保护性拷贝;
使用原型模式创建对象不一定会比new快,所以使用该模式时需要考虑实际效率。
- 浅拷贝
2 角色
- Prototype 抽象类或者接口,具备clone能力。实际中就是 Cloneable 接口,实现该接口则标识该对象是可拷贝的对象。
- ConcretePrototype 具体的原型类。实现了Cloneable接口的具体类。注意clone是Object类中的方法,并不是Cloneable接口中的方法,
3 实践
public class WordDocument implements Cloneable {
private String mText;
private ArrayList<String> mImages = new ArrayList<>();
public WordDocument() {
System.out.println("************* WordDocument 构造函数 ***************");
}
@Override
protected Object clone() throws CloneNotSupportedException {
try {
WordDocument doc = (WordDocument) super.clone();
doc.mText = this.mText;
// 浅拷贝,只拷贝引用
doc.mImages = this.mImages;
// 深拷贝,调用引用对象的clone方法
doc.mImages= (ArrayList<String>) this.mImages.clone();
return doc;
} catch (Exception e) {
}
return null;
}
}