裝飾器模式允許使用者向現有物件新增新功能而不改變其結構。 這種型別的設計模式屬於結構模式,因為此模式充當現有類的包裝器。
此模式建立一個裝飾器類,它包裝原始類並提供附加功能,保持類方法簽名完整。
我們通過以下範例展示裝飾器模式的使用,其中我們將用一些顏色裝飾形狀而不改變形狀類。
在這個範例中,將建立一個Shape
介面和實現Shape
介面的具體類。然後再建立一個抽象裝飾器類-ShapeDecorator
,實現Shape
介面並使用Shape
物件作為其範例變數。
這裡的RedShapeDecorator
是實現ShapeDecorator
的具體類。
DecoratorPatternDemo
這是一個演示類,將使用RedShapeDecorator
來裝飾Shape
物件。裝飾模式範例的結構如下所示 -
建立一個簡單的介面。
Shape.java
public interface Shape {
void draw();
}
建立兩個實現相同介面的具體類。
Rectangle.java
public class Rectangle implements Shape {
@Override
public void draw() {
System.out.println("Shape: Rectangle");
}
}
Circle.java
public class Circle implements Shape {
@Override
public void draw() {
System.out.println("Shape: Circle");
}
}
建立實現Shape
介面的抽象裝飾器類。
ShapeDecorator.java
public abstract class ShapeDecorator implements Shape {
protected Shape decoratedShape;
public ShapeDecorator(Shape decoratedShape){
this.decoratedShape = decoratedShape;
}
public void draw(){
decoratedShape.draw();
}
}
建立擴充套件ShapeDecorator
類的具體裝飾器類。
RedShapeDecorator.java
public class RedShapeDecorator extends ShapeDecorator {
public RedShapeDecorator(Shape decoratedShape) {
super(decoratedShape);
}
@Override
public void draw() {
decoratedShape.draw();
setRedBorder(decoratedShape);
}
private void setRedBorder(Shape decoratedShape){
System.out.println("Border Color: Red");
}
}
使用RedShapeDecorator
裝飾Shape
物件。
DecoratorPatternDemo.java
public class DecoratorPatternDemo {
public static void main(String[] args) {
Shape circle = new Circle();
Shape redCircle = new RedShapeDecorator(new Circle());
Shape redRectangle = new RedShapeDecorator(new Rectangle());
System.out.println("Circle with normal border");
circle.draw();
System.out.println("\nCircle of red border");
redCircle.draw();
System.out.println("\nRectangle of red border");
redRectangle.draw();
}
}
驗證輸出,執行上面的程式碼得到以下結果 -
Circle with normal border
Shape: Circle
Circle of red border
Shape: Circle
Border Color: Red
Rectangle of red border
Shape: Rectangle
Border Color: Red