设计模式(Python语言)----组合模式

更多信息请参考 【设计模式】

组合模式的内容

将对象组合成树形结构以表示“部分-整体”的层次结构,组合模式使得用户对单个对象和组合对象的使用具有一致性

组合模式中的角色

  • 抽象组件(Component)
  • 叶子组件(Leaf)
  • 复合组件(Composite)
  • 客户端(Client)

组合模式适应场景

  • 表示对象的部分-整体层次结构(特别是结构式递归的)
  • 希望用户忽略组合对象与单个对象的不同,用户统一地使用组合结构中的所有对象

组合模式的优点

  • 定义了包含基本对象和组合对象的类层次结构
  • 简化客户端代码,即客户端可以一致地使用组合对象和单个对象
  • 更容易增加新类型的组件

组合模式实例

代码如下:

from abc import ABCMeta,abstractmethod

class Graphic(metaclass=ABCMeta):
    @abstractmethod
    def draw(self):
        pass

class Point(Graphic):
    def __init__(self,x,y):
        self.x=x
        self.y=y

    def __str__(self):
        return f"点({self.x},{self.y})"

    def draw(self):
        print(str(self))

class Line(Graphic):
    def __init__(self,p1,p2):
        self.p1=p1
        self.p2=p2

    def __str__(self):
        return f"线段({self.p1},{self.p2})"

    def draw(self):
        print(str(self))

class Picture(Graphic):
    def __init__(self,iterable):
        self.children=[]
        for elem in iterable:
            self.add(elem)

    def add(self,graphic):
        self.children.append(graphic)

    def draw(self):
        for elem in self.children:
            elem.draw()

if __name__=="__main__":
    p1=Point(2,3)
    l1=Line(Point(3,4),Point(6,7))
    l2=Line(Point(1,5),Point(2,8))
    pic1=Picture([p1,l2,l2])

    p2=Point(4,4)
    l3=Line(Point(1,1),Point(0,0))
    pic2=Picture([p2,l3])

    pic=Picture([pic1,pic2])
    pic.draw()

执行结果如下:

点(2,3)
线段(点(1,5),点(2,8))
线段(点(1,5),点(2,8))
点(4,4)
线段(点(1,1),点(0,0))

推荐阅读

设计模式(Python语言)----面向对象设计SOLID原则

设计模式(Python语言)----设计模式分类

设计模式(Python语言)----简单工厂模式

设计模式(Python语言)----工厂方法模式

设计模式(Python语言)----抽象工厂模式

设计模式(Python语言)----建造者模式

设计模式(Python语言)----单例模式

设计模式(Python语言)----适配器模式

设计模式(Python语言)----桥模式

设计模式(Python语言)----组合模式

设计模式(Python语言)----外观模式

设计模式(Python语言)----代理模式

设计模式(Python语言)----责任链模式

设计模式(Python语言)----观察者模式

设计模式(Python语言)----策略模式

设计模式(Python语言)----模板方法模式

你可能感兴趣的:(设计模式,组合模式,python,设计模式)