JavaFacadePattern(外觀模式)

凌浩雨發表於2017-09-10

外觀模式(Facade Pattern)隱藏系統的複雜性,並向客戶端提供了一個客戶端可以訪問系統的介面。這種型別的設計模式屬於結構型模式,它向現有的系統新增一個介面,來隱藏系統的複雜性。
這種模式涉及到一個單一的類,該類提供了客戶端請求的簡化方法和對現有系統類方法的委託呼叫。

關鍵程式碼:在客戶端和複雜系統之間再加一層,這一層將呼叫順序、依賴關係等處理好。

優點: 1、減少系統相互依賴。 2、提高靈活性。 3、提高了安全性。
缺點:不符合開閉原則,如果要改東西很麻煩,繼承重寫都不合適。

  1. 建立一個介面。
/**
 * 1. 建立一個介面
 * @author mazaiting
 */
public interface Shape {
    
    /**
     * 繪圖
     */
    void draw();
}
  1. 建立實現介面的實體類。
/**
 * 2. 建立實現介面的實體類。
 * @author mazaiting
 */
public class Circle implements Shape{

    public void draw() {
        System.out.println("Circle::draw()");
    }

}

/**
 * 2. 建立實現介面的實體類。
 * @author mazaiting
 */
public class Rectangle implements Shape{

    public void draw() {
        System.out.println("Rectangle::draw()");
    }

}

/**
 * 2. 建立實現介面的實體類。
 * @author mazaiting
 */
public class Square implements Shape{

    public void draw() {
        System.out.println("Square::draw()");
    }

}
  1. 建立一個外觀類。
/**
 * 3. 建立一個外觀類
 * @author mazaiting
 */
public class ShapeMarker {
    private Shape circle;
    private Shape rectangle;
    private Shape square;
    
    public ShapeMarker(){
        circle = new Circle();
        rectangle = new Rectangle();
        square = new Square();
    }
    
    public void drawCircle() {
        circle.draw();
    }
    
    public void drawRectangle() {
        rectangle.draw();
    }
    
    public void drawSquare() {
        square.draw();
    }
    
}
  1. 使用該外觀類畫出各種型別的形狀。
public class Client {
    
    public static void main(String[] args) {
        
        ShapeMarker shapeMarker = new ShapeMarker();
        
        shapeMarker.drawCircle();
        shapeMarker.drawRectangle();
        shapeMarker.drawSquare();
        
    }

}
  1. 列印結果
Circle::draw()
Rectangle::draw()
Square::draw()


相關文章