MENU

《Java设计模式及实践》第二章读书笔记 原型模式

May 15, 2022 • 《Java设计模式及实践》

原型模式

原型模式看似复杂,实际上它只是一个克隆对象的方法。在以下几种情况下,确实需要克隆那些已经经过实例化的对象。

  • 依赖于外部资源或硬件密集型操作进行新对象的创建的情况。
  • 获取相同对象在相同状态的拷贝而无需进行重复获取状态操作的情况。
  • 在不确定所属具体类的需要对象的实例的情况。
UML图

prototype_pattern_uml_diagram

//Shape.java
public abstract class Shape implements Cloneable {
    private String id;
    protected String type;

    abstract void draw();

    public String getType() {
        return type;
    }

    public String getId() {
        return id;
    }

    public void setId(String id) {
        this.id = id;
    }

    public Object clone() {
        Object clone = null;
        try {
            clone = super.clone();
        } catch (CloneNotSupportedException e) {
            e.printStackTrace();
        }
        return clone;
    }
}
//...   shape的实现类
//ShapeCache.java
public class ShapeCache {
    private static Hashtable<String, Shape> shapeMap
            = new Hashtable<String, Shape>();

    public static Shape getShape(String shapeId) {
        Shape cachedShape = shapeMap.get(shapeId);
        return (Shape) cachedShape.clone();
    }

    // 对每种形状都运行数据库查询,并创建该形状
    // shapeMap.put(shapeKey, 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);
    }
}

Git 代码

Sundae97/Design-Patterns-Java