何為裝飾者模式 (Decorator)?
動態地為一個物件增加一些額外的職責。就增加功能來說,Decorator 模式相比產生子類別更為靈活。
一、結構
Component : 定義一個物件接口,可以給這些物件動態地新增職責。
interface Component { public void operation(); } ConcreteComponent : 实现 Component 定义的接口。 class ConcreteComponent implements Component { @Override public void operation() { System.out.println("初始行为"); } }
Decorator : 裝飾抽象類,繼承了 Component, 從外類來擴展 Component 類的功能,但對於 Component 來說,是無需知道 Decorator 的存在的。
class Decorator implements Component { // 持有一个 Component 对象,和 Component 形成聚合关系 protected Component component; // 传入要进一步修饰的对象 public Decorator(Component component) { this.component = component; } @Override // 调用要修饰对象的原方法 public void operation() { component.operation(); } }
ConcreteDecorator : 具體的裝飾對象,起到為 Component 添加職責的功能。
class ConcreteDecoratorA extends Decorator { private String addedState = "新属性1"; public ConcreteDecoratorA(Component component) { super(component); } public void operation() { super.operation(); System.out.println("添加属性: " + addedState); } } class ConcreteDecoratorB extends Decorator { public ConcreteDecoratorB(Component component) { super(component); } public void operation() { super.operation(); AddedBehavior(); } public void AddedBehavior() { System.out.println("添加行为"); } }
測試代碼
public class DecoratorPattern { public static void main(String[] args) { Component component = new ConcreteComponent(); component.operation(); System.out.println("======================================"); Decorator decoratorA = new ConcreteDecoratorA(component); decoratorA.operation(); System.out.println("======================================"); Decorator decoratorB = new ConcreteDecoratorB(decoratorA); decoratorB.operation(); } }
測試代碼
初始行为 ====================================== 初始行为 添加属性: 新属性1 ====================================== 初始行为 添加属性: 新属性1 添加行为
其他對象。
2、需要動態的為一個物件添加功能,這些功能可以再動態的撤銷。3、需要增加一些基本功能的排列組合而產生的非常大量的功能,從而使繼承關係變的不切實際。
4、當不能採用產生子類別的方法進行擴充時。一種情況是,可能有大量獨立的擴展,為支持每種組合將產生大量的子類,使得子類數目呈爆炸性增長。另一種情況可能是因為類別定義被隱藏,或類別定義不能用來產生子類別。
三、要點
1、裝飾物件和真實物件有相同的介面。這樣客戶端物件就能以和真實物件相同的方式和裝飾物件互動。
2、裝飾物件包含一個真實物件的引用(reference)。