欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

设计模式(创建型,原型模式)

程序员文章站 2022-06-13 15:57:59
...

原型模式中有三个登场角色:

原型角色: 定义用于复制现有实例来生成新实例的方法

// 以贴主示例代码为例  
implements Cloneable   // 1.(抽象类或者接口)实现 java.lang.Cloneable 接口
public Shape clone();  // 2.定义复制现有实例来生成新实例的方法

具体原型角色: 实现用于复制现有实例来生成新实例的方法

public Shape clone() {// 2.实现复制现有实例来生成新实例的方法(也可以由超类完成)
    Shape clone = null;
    try {
        clone = (Shape) clone();
    } catch (CloneNotSupportedException e) {
        e.printStackTrace();
    }
    return clone;
}

使用者角色: 维护一个注册表,并提供一个找出正确实例原型的方法。最后,提供一个获取新实例的方法,用来委托复制实例的方法生成新实例。

private static Hashtable<String, Shape> shapeMap = new Hashtable<String, Shape>();//维护一个注册表
    public static void loadCache() {
    Circle circle = new Circle();
    circle.setId("1");
    shapeMap.put(circle.getId(),circle);

    Square square = new Square();
    square.setId("2");
    shapeMap.put(square.getId(),square);

    Rectangle rectangle = new Rectangle();
    rectangle.setId("3");
    shapeMap.put(rectangle.getId(),rectangle);
}
public static Shape getShape(String shapeId) {//提供一个获取新实例的方法
    Shape cachedShape = shapeMap.get(shapeId);//提供一个找出正确实例原型的方法
    return (Shape) cachedShape.clone();//委托复制实例的方法生成新实例。
}