原型模式

【风趣的解释】

Prototype Mode

最近教美眉用ps,该学画笔工具了。“画笔工具就是用来画画的”,为了演示此功能,费了九牛二虎之力我给她画了个红色的心形。呵呵,给她点阳光她就灿烂,要求我给她画两个一模一样大的。这好办啊,复制.. ,复制... , 要多少个一样大的,我都可以给你。画的的一个心形就是一个原型,后面复制的都是从这个原型克隆出来的。

【正式的解释】

原型模式

通过一个原型对象来指明所要创建的对象的类型,然后克隆这个原型对象创建出更多同类型的对象。这就导致每个类都必须拥有一个克隆方法。

【Python版】

#-*- coding:utf-8 -*-

from copy import deepcopy

#心形原型
class HeartShape(object):
    def __init__(self, color, size):
        self.color = color
        self.size = size
    def clone(self):
        return deepcopy(self)

#心形工厂
class HeartShapeFactory(object):
    def __init__(self, obj):
        self.obj = obj
    def getHeartShape(self):
        return self.obj.clone()

if __name__ == "__main__":
    heartShapeFactory = HeartShapeFactory(HeartShape("red", "big"))

    #红色大心形,要多少有多少
    a = heartShapeFactory.getHeartShape()
    b = heartShapeFactory.getHeartShape()

    print a.color
    print b.color

    print "------------------"
    
    a.color = "yellow"
    print a.color
    print b.color

"""print out

red
red
------------------
yellow
red
"""

【JS版】

//心形原型
function HeartShape(color, size){
    this.color = color;
    this.size = size;
}

HeartShape.prototype.clone = function(){
   return new HeartShape(this.color, this.size);
};

//心形工厂
function HeartShapeFacotry(obj){
    this.obj = obj;
}
HeartShapeFacotry.prototype.getHeartShape = function(){
    return this.obj.clone();
}

var heartShapeFacotry = new HeartShapeFacotry(new HeartShape('red', 'big'));

//红色大心形,要多少有多少
var a = heartShapeFacotry.getHeartShape();
var b = heartShapeFacotry.getHeartShape();

console.log(a.color)
console.log(b.color)

console.log('--------------')

a.color = 'yellow';
console.log(a.color)
console.log(b.color)

/*print out

red
red
--------------
yellow
red
*/

你可能感兴趣的:(原型模式)