设计模式-建立型模式,原型模式(3)

有时,咱们须要原本来本地为对象建立一个副本。举例来讲,假设你想建立一个应用来存储、
分享、编辑(好比,修改、添加注释及删除)食谱。用户Bob找到一份蛋糕食谱,在作了一些改
变后,以为本身作的蛋糕很是美味,想要与朋友Alice分享这个食谱。可是该如何分享食谱呢?如
果在与Alice分享以后,Bob想对食谱作进一步的试验,Alice手里的食谱也能跟着变化吗?Bob能
够持有蛋糕食谱的两个副本吗?对蛋糕食谱进行的试验性变动不该该对本来美味蛋糕的食谱造
成影响。
这样的问题能够经过让用户对同一份食谱持有多个独立的副原本解决。每一个副本被称为一个
克隆,是某个时间点原有对象的一个彻底副本。这里时间是一个重要因素。由于它会影响克隆所
包含的内容。例如,若是Bob在对蛋糕食谱作改进以臻完美以前就与Alice分享了,那么Alice就绝
不可能像Bob那样烘烤出本身的美味蛋糕,只能按照Bob原来找到的食谱烘烤蛋糕。
注意引用与副本之间的区别。若是Bob和Alice持有的是同一个蛋糕食谱对象的两个引用,那
么Bob对食谱作的任何改变,对于Alice的食谱版本都是可见的,反之亦然。咱们想要的是Bob和
Alice各自持有本身的副本,这样他们能够各自作变动而不会影响对方的食谱。实际上Bob须要蛋
糕食谱的两个副本:美味版本和试验版本。app

 

# coding: utf-8

import copy
from collections import OrderedDict


class Book:

    def __init__(self, name, authors, price, **rest):
        '''rest的例子有:出版商,长度,标签,出版日期'''
        self.name = name
        self.authors = authors
        self.price = price      # 单位为美圆
        self.__dict__.update(rest)

    def __str__(self):
        mylist = []
        ordered = OrderedDict(sorted(self.__dict__.items()))
        for i in ordered.keys():
            mylist.append('{}: {}'.format(i, ordered[i]))
            if i == 'price':
                mylist.append('$')
            mylist.append('\n')
        return ''.join(mylist)


class Prototype:

    def __init__(self):
        self.objects = dict()

    def register(self, identifier, obj):
        self.objects[identifier] = obj

    def unregister(self, identifier):
        del self.objects[identifier]

    def clone(self, identifier, **attr):
        found = self.objects.get(identifier)
        if not found:
            raise ValueError('Incorrect object identifier: {}'.format(identifier))
        obj = copy.deepcopy(found)
        obj.__dict__.update(attr)
        return obj


def main():
    b1 = Book('The C Programming Language', ('Brian W. Kernighan', 'Dennis M.Ritchie'), price=118, publisher='Prentice Hall',
              length=228, publication_date='1978-02-22', tags=('C', 'programming', 'algorithms', 'data structures'))

    prototype = Prototype()
    cid = 'k&r-first'
    prototype.register(cid, b1)
    b2 = prototype.clone(cid, name='The C Programming Language(ANSI)', price=48.99,
                         length=274, publication_date='1988-04-01', edition=2)

    for i in (b1, b2):
        print(i)
    print('ID b1 : {} != ID b2 : {}'.format(id(b1), id(b2)))

if __name__ == '__main__':
    main()

 

相关文章
相关标签/搜索