原型

当程序中需要实例化的类是在运行时才能确定时,就可以使用原型来创建新的对象。原型实例可以持有多种种类的对象,并可以通过拷贝这些对象来创建新的对象。在Python中实现原型模式十分简单,可参考以下示例。

import copy


class Prototype:
	def __init__(self):
		self._objects = {}
	
	def register_object(self, name, obj):
		self._objects[name] = obj
	
	def unregister_object(self, name):
		del self._objects[name]
	
	def clone(self, name, **attr):
		obj = copy.deepcopy(self._objects.get(name))
		object.__dict__.update(attr)
		return obj


class Cake:
	def __str__(self):
		return "This is a cake."


cake = Cake()
prototype = Prototype()
prototype.register_object("cake", cake)
another_cake = prototype.clone("cake", taste="sweet")

print(cake)
print(cake.taste)