(资料图片)
简介
装饰器模式是一种结构型设计模式,它允许您在运行时将行为添加到对象上,而不是在编译时将行为固定在对象上。这种模式通常用于需要大量动态扩展的场景,例如构建复杂的用户界面。
UML 类图
以下是装饰器模式的 UML 类图:
ComponentInterface <|-- ConcreteComponent | +-- DecoratorInterface <|-- ConcreteDecoratorA +-- ConcreteDecoratorB
在上面的 UML 类图中,ComponentInterface 表示被装饰的对象的接口,ConcreteComponent 是实现该接口的具体对象,DecoratorInterface 是装饰器的接口,ConcreteDecoratorA 和 ConcreteDecoratorB 是具体的装饰器类。
组件
组件是我们想要扩展的对象。下面是一个示例:
interface ComponentInterface { public function operation();}class ConcreteComponent implements ComponentInterface { public function operation() { return "ConcreteComponent"; }}
在上面的代码中,我们定义了 ComponentInterface 接口,它有一个名为 operation 的方法。我们还定义了一个名为 ConcreteComponent 的具体实现,它实现了 ComponentInterface 接口并实现了 operation 方法。
装饰器
装饰器是具有与组件相同的接口的类,它通过在组件上添加额外的行为来扩展其功能。下面是一个示例:
interface DecoratorInterface extends ComponentInterface {}class ConcreteDecoratorA implements DecoratorInterface { protected $component; public function __construct(ComponentInterface $component) { $this->component = $component; } public function operation() { return "ConcreteDecoratorA(" . $this->component->operation() . ")"; }}class ConcreteDecoratorB implements DecoratorInterface { protected $component; public function __construct(ComponentInterface $component) { $this->component = $component; } public function operation() { return "ConcreteDecoratorB(" . $this->component->operation() . ")"; }}
在上面的代码中,我们定义了一个名为 DecoratorInterface 的接口,它扩展了 ComponentInterface 接口。然后我们定义了两个具体的装饰器:ConcreteDecoratorA 和 ConcreteDecoratorB。这两个类都实现了 DecoratorInterface 接口,并且都有一个名为 component 的成员变量,它们分别用于存储被装饰的组件。
使用装饰器模式
使用装饰器模式时,您需要首先创建一个具体的组件对象,然后使用一个或多个装饰器对象来扩展其功能。下面是一个示例:
$component = new ConcreteComponent();$decoratorA = new ConcreteDecoratorA($component);$decoratorB = new ConcreteDecoratorB($decoratorA);echo $decoratorB->operation();
在上面的代码中,我们首先创建了一个具体的组件对象 ConcreteComponent。然后我们使用 ConcreteDecoratorA 对象来扩展 ConcreteComponent 的功能,并将其存储在 $decoratorA 变量中。接着,我们使用 ConcreteDecoratorB 对象来进一步扩展 $decoratorA 的功能,并将其存储在 $decoratorB 变量中。最后,我们调用 $decoratorB 的 operation 方法来执行装饰后的操作。