标签:原型模式 比较 封装 sys 使用 err str 级别 exce
用原型实例指定创建对象的种类,并且通过拷贝这些原型创建新的对象。
Cloneable
类,并重写了 clone
方法。重写Cloneable
方法才能使用clone方法,否则会报CloneNotSupportedException
的异常;重写clone
方法是因为该方法原来是protected
类型的,不重写不能调用该方法。// 原型类
public class Prototype implements Cloneable {
private String name;
// 引用类型变量
private Car car;
@Override
protected Prototype clone() throws CloneNotSupportedException {
Prototype prototype = (Prototype) super.clone();
// 引用类型需要深复制
prototype.car = (Car) car.clone();
return prototype;
}
public Prototype(String name, Car car) {
this.name = name;
this.car = car;
}
// get、set方法省略 ...
public void show(){
System.out.println("我的名字:" + name + ":::::: 车的名字:" + car.getName());
}
}
public class Car implements Cloneable{
private String name;
public Car(String name) {
this.name = name;
}
// get、set方法省略 ...
@Override
protected Object clone() throws CloneNotSupportedException {
return super.clone();
}
}
// 引用类
public class Main {
public static void main(String[] args) throws CloneNotSupportedException {
Prototype prototype = new Prototype("原型1", new Car("原型1的CAR"));
Prototype prototype2 = prototype.clone();
// 修改引用类的属性,看是否会影响第一个类
prototype2.getCar().setName("原型2的CAR");
prototype.show();
prototype2.show();
}
}
运行结果:
我的名字:原型1:::::: 车的名字:原型1的CAR
我的名字:原型1:::::: 车的名字:原型2的CAR
clone
方法是Java本地方法,它直接操作二进制流来创建对象,特别是复制大对象时,性能相差较明显。如果项目中要频繁复制新对象,或是被复制对象比较复杂,可以考虑原型模式。
标签:原型模式 比较 封装 sys 使用 err str 级别 exce
原文地址:https://www.cnblogs.com/moongeek/p/12563357.html