前端控制器設(shè)計(jì)模式用于提供集中式請(qǐng)求處理機(jī)制,以便所有請(qǐng)求將由單個(gè)處理程序處理。此處理程序可以執(zhí)行請(qǐng)求的身份驗(yàn)證/授權(quán)/記錄或跟蹤,然后將請(qǐng)求傳遞到相應(yīng)的處理程序。 以下是這種類型的設(shè)計(jì)模式的實(shí)體。
在這個(gè)實(shí)現(xiàn)實(shí)例中,將創(chuàng)建一個(gè)FrontController
和Dispatcher
作為前臺(tái)控制器和相應(yīng)的調(diào)度程序。 HomeView
和StudentView
代表各種視圖,請(qǐng)求可以到前端的控制器中。
FrontControllerPatternDemo
這是一個(gè)演示類,將使用FrontController
來演示前控制器設(shè)計(jì)模式。
前端控制器設(shè)計(jì)模式示例的結(jié)構(gòu)如下圖所示 -
創(chuàng)建兩個(gè)視圖,其代碼如下 -
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");
}
}
創(chuàng)建分派調(diào)度程序,其代碼如下 -
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();
}
}
}
創(chuàng)建前端控制器 - FrontController,其代碼如下 -
FrontController.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){
//log each request
trackRequest(request);
//authenticate the user
if(isAuthenticUser()){
dispatcher.dispatch(request);
}
}
}
使用FrontController
來演示前端控制器設(shè)計(jì)模式。
FrontControllerPatternDemo.java
public class FrontControllerPatternDemo {
public static void main(String[] args) {
FrontController frontController = new FrontController();
frontController.dispatchRequest("HOME");
frontController.dispatchRequest("STUDENT");
}
}
驗(yàn)證輸出,執(zhí)行上面的代碼得到以下結(jié)果 -
Page requested: HOME
User is authenticated successfully.
Displaying Home Page
Page requested: STUDENT
User is authenticated successfully.
Displaying Student Page