工厂模式
工厂方法模式:
定义一个用于创建对象的接口,但是让子类决定将哪一个类实例化。工厂方法模式让一个类的实例化延迟到其子类。
工厂方法模式就是简单工厂模式的进一步抽像。由于面向对象多态性,工厂方法模式保持了简单工厂的有点同时克服了他的缺点。工厂方法模式中,核心的工厂被提升为一个抽象类,将具体的创建工作交给他的子类完成。这个抽象的工厂类仅规定具体工厂实现的接口,而不明确指出如何实例化一个产品类,这使得工厂方法模式允许系统在不修改原有产品结构的情况下轻松的引进新产品。
优点:
每个具体产品都对应一个具体工厂类,不需要修改工厂类代码
隐藏了对象创建的实现细节
缺点:
每增加一个具体产品类, 就必须增加一个相应的具体工厂类
模式适用环境
客户端不知道它所需要的对象的类(客户端不需要知道具体产品类的类名,
只需要知道所对应的工厂即可,具体产品对象由具体工厂类创建)
抽象工厂类通过其子类来指定创建哪个对象
from abc import ABCMeta, abstractmethod
class Profile(metaclass=ABCMeta): # 抽象产品角色
def __init__(self):
self.sections = []
self.createProfile()
@abstractmethod
def createProfile(self):
pass
def getSections(self):
return self.sections
def addSections(self, section):
self.sections.append(section)
class linkedin(Profile): # 具体产品角色
def createProfile(self):
self.addSections(PersonalSection())
self.addSections(PatentSection())
self.addSections(PublicationSection())
class facebook(Profile):
def createProfile(self):
self.addSections(PersonalSection())
self.addSections(AlbumSection())
class Section(metaclass=ABCMeta): # 抽象工厂角色
@abstractmethod
def describe(self):
pass
class PersonalSection(Section): # 具体工厂角色
def describe(self):
print("Personal Section")
class AlbumSection(Section):
def describe(self):
print("Album Section")
class PatentSection(Section):
def describe(self):
print("Patent Section")
class PublicationSection(Section):
def describe(self):
print("Publication Section")
if __name__ == '__main__': # 客户端
profile_type = input("Which Profile you'd like to create? [LinkdIn or FaceBook]")
profile = eval(profile_type.lower())()
print("Creating Profile..", type(profile).__name__)
print("Profile has section --", profile.getSections())