Designmuster
/ 前端控制器模式
前端控制器模式
前端控制器模式(Front Controller Pattern)是用來提供一個集中的請求處理機制,所有的請求都將由一個單一的處理程序處理。該處理程序可以做認證/授權(quán)/記錄日志,或者跟蹤請求,然后把請求傳給相應的處理程序。以下是這種設(shè)計模式的實體。
前端控制器(Front Controller) - 處理應用程序所有類型請求的單個處理程序,應用程序可以是基于 web 的應用程序,也可以是基于桌面的應用程序。
調(diào)度器(Dispatcher) - 前端控制器可能使用一個調(diào)度器對象來調(diào)度請求到相應的具體處理程序。
視圖(View) - 視圖是為請求而創(chuàng)建的對象。
實現(xiàn)
我們將創(chuàng)建 FrontController、Dispatcher 分別當作前端控制器和調(diào)度器。HomeView 和 StudentView 表示各種為前端控制器接收到的請求而創(chuàng)建的視圖。
FrontControllerPatternDemo,我們的演示類使用 FrontController 來演示前端控制器設(shè)計模式。

步驟 1
創(chuàng)建視圖。
HomeView.java
public class HomeView { public void show(){ System.out.println("Displaying Home Page"); } }
StudentView.java
public class StudentView { public void show(){ System.out.println("Displaying Student Page"); } }
步驟 2
創(chuàng)建調(diào)度器 Dispatcher。
Dispatcher.java
public class Dispatcher { private StudentView studentView; private HomeView homeView; public Dispatcher(){ studentView = new StudentView(); homeView = new HomeView(); } public void dispatch(String request){ if(request.equalsIgnoreCase("STUDENT")){ studentView.show(); }else{ homeView.show(); } } }
步驟 3
創(chuàng)建前端控制器 FrontController。
Context.java
public class FrontController { private Dispatcher dispatcher; public FrontController(){ dispatcher = new Dispatcher(); } private boolean isAuthenticUser(){ System.out.println("User is authenticated successfully."); return true; } private void trackRequest(String request){ System.out.println("Page requested: " + request); } public void dispatchRequest(String request){ //記錄每一個請求 trackRequest(request); //對用戶進行身份驗證 if(isAuthenticUser()){ dispatcher.dispatch(request); } } }
步驟 4
使用 FrontController 來演示前端控制器設(shè)計模式。
FrontControllerPatternDemo.java
public class FrontControllerPatternDemo { public static void main(String[] args) { FrontController frontController = new FrontController(); frontController.dispatchRequest("HOME"); frontController.dispatchRequest("STUDENT"); } }
步驟 5
驗證輸出。
Page requested: HOME User is authenticated successfully. Displaying Home Page Page requested: STUDENT User is authenticated successfully. Displaying Student Page