Java工程源码

类图

设计模式--原型模式_System


定义
用原型实例指定创建对象的种类,并且通过拷贝这些原型创建新的对象


优点
- 性能优良 原型模式是在内存二进制流的拷贝,要比直接new一个对象性能好很多,特别是要在一个循环内产生大量对象时
- 逃避构造函数的约束 直接在内存中拷贝,构造函数不会执行


使用场景
- 资源优化场景 类初始化需要消耗非常多的资源时
- 性能和安全要求的场景


注意事项
- 用clone方法产生新对象时,构造函数不会被执行

抽象原型类

public abstract class Prototype implements Cloneable {

    protected ArrayList<String> arrayList = new ArrayList<>();

    public void addValue(String value) {
        this.arrayList.add(value);
    }

    public ArrayList<String> getValue() {
        return this.arrayList;
    }

    @Override
    public Prototype clone() {
        System.out.println("Prototype->clone()");
        Prototype prototypeClass = null;
        try {
            prototypeClass = (Prototype) super.clone();
        } catch (CloneNotSupportedException e) {
            e.printStackTrace();
        }
        return prototypeClass;
    }
}

实体原型类 浅拷贝

public class ConcretePrototype1 extends Prototype {
}

实体原型类 深拷贝

public class ConcretePrototype2 extends Prototype {
    @Override
    public Prototype clone() {
        Prototype clone = super.clone();
        this.arrayList = (ArrayList<String>) this.arrayList.clone();
        return clone;
    }
}

场景类

public class Client {
    public static void main(String[] args) {
        System.out.println("<浅拷贝 拷贝对象引用>");
        Prototype prototype1 = new ConcretePrototype1();
        //原对象添加元素
        prototype1.addValue("value1");
        System.out.println("拷贝前的内容:" + prototype1.getValue());
        //生成拷贝对象
        Prototype copy1 = prototype1.clone();
        //原对象添加元素
        prototype1.addValue("value2");
        System.out.println("拷贝后的内容:" + copy1.getValue());
        // 因为拷贝的是引用地址,原对象添加元素,拷贝对象也添加元素

        System.out.println("\n<深拷贝 拷贝对象内容>");
        Prototype prototype2 = new ConcretePrototype2();
        //原对象添加元素
        prototype2.addValue("value1");
        System.out.println("拷贝前的内容:" + prototype2.getValue());
        //生成拷贝对象
        Prototype copy2 = prototype2.clone();
        //原对象添加元素
        prototype2.addValue("value2");
        System.out.println("拷贝后的内容:" + copy2.getValue());
        // 因为拷贝的是内容并且新建了引用,原对象添加元素,拷贝对象不会受到影响
    }
}

深拷贝和浅拷贝的使用视项目情况而定。