SpringMVC架構模擬

来源:https://www.cnblogs.com/yunxi520/archive/2019/12/18/12063637.html
-Advertisement-
Play Games

這次來學習一下SpringMVC的源碼. 對於常見的項目架構模式,比如大名鼎鼎的SSM(SpringMVC,Spring,Mybatis)框架. SpringMVC ->web層(Controller層) Spring ->service層 mybatis ->dao層 從SpringMVC層面上講 ...


這次來學習一下SpringMVC的源碼.

對於常見的項目架構模式,比如大名鼎鼎的SSM(SpringMVC,Spring,Mybatis)框架.

SpringMVC ->web層(Controller層)

Spring ->service層

mybatis ->dao層

從SpringMVC層面上講,他的構成如下:

Model ->數據

View ->視圖

Controller ->業務

經過上面的分層,使得數據,視圖(展示效果),業務邏輯進行分離,每一層的變化可以不影響其他層,增加程式的可維護性和可擴展性。

 

  1. 瀏覽器發出用戶請求,處於web.xml中的dispacherServlet前端控制器進行接收,此時這個前端控制器並不處理請求.而是將用戶發送的url請求轉發到HandleMapping處理器映射器
  2. 第二步:HandlerMapping根據請求路徑找到相對應的HandlerAdapter處理器適配器(處理器適配器就是那些攔截器或者是controller)
  3. 第三步:HandlerAdapter處理器適配器,可以處理一些功能請求,返回一個ModelAndView對象(包括模型數據/邏輯視圖名)
  4. 第四步:ViewResolver視圖解析器,先根據 ModelAndView中設置的view解析具體視圖
  5. 第五步:然後再將Model模型中的數據渲染到View中

下麵我們實際在項目中進行操作

一丶創建一個帶有web.xml的maven項目

二丶首先自己寫一個類繼承HttpServlet類並重寫它的doGet,doPost方法

package com.spring.mvc.config;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;

/**
 * @Author: XiaoZhe
 * @Description:
 * @Date: Created in 17:39 2019/12/16
 */
public class MyDispatchServlet extends HttpServlet{
    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        System.out.println("這是調用了doGet方法");
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        System.out.println("這是調用了doPost方法");
    }
}

 

三丶修改web.xml文件

<!DOCTYPE web-app PUBLIC
 "-//Sun Microsystems, Inc.//DTD Web Application 2.3//EN"
 "http://java.sun.com/dtd/web-app_2_3.dtd" >

<web-app>
  <!--註冊servlet-->
  <servlet>
    <!--自己繼承了HttpServlet類的名字-->
    <servlet-name>httpServletTest</servlet-name>
    <!--自己繼承了HttpServlet類的所在路徑-->
    <servlet-class>com.spring.mvc.servlet.MyDispatchServlet</servlet-class>
  </servlet>
  <!--映射servlet-->
  <servlet-mapping>
    <!--上面自定義的servlet-name-->
    <servlet-name>httpServletTest</servlet-name>
    <!--攔截路徑/* -->
    <url-pattern>/*</url-pattern>
  </servlet-mapping>
</web-app>

 

 

四丶 啟動項目,在地址欄輸入項目地址並回車

可以看到控制台列印輸出了我們定義的話

這是調用了doGet方法
這是調用了doGet方法

 

五丶創建幾個註解@Controller,@RequestMapping

用過SpringMVC框架的人都知道在類上打了@Controller註解的才能被認作是一個Controller,而打了@RequestMapping才能被請求映射。

@MyController

package com.spring.mvc.annotation;

import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;

/**
 * @Author: ZhengZhe
 * @Description: 作用於class上的功能類似於Spring的@Controller註解
 * @Date: Created in 10:34 2019/12/17
 */
@Target(ElementType.TYPE)//標識此註解只能作用在類上面
@Retention(RetentionPolicy.RUNTIME)//標識此註解一直存活,可被反射獲取
public @interface MyController {
}

 

@MyRequestMapping

package com.spring.mvc.annotation;

import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;

/**
 * @Author: ZhengZhe
 * @Description: 作用於class或者method上的功能類似於Spring的@RequestMapping註解
 * @Date: Created in 10:38 2019/12/17
 */
@Target({ElementType.TYPE,ElementType.METHOD})//標識此註解只能作用在類或者方法上面
@Retention(RetentionPolicy.RUNTIME)//標識此註解一直存活,可被反射獲取
public @interface MyRequestMapping {
    String value();//用來存儲對應的url , 網路請求路徑
}

 

六丶DispatchServlet

DispatchServlet在MVC引導著非常強大的作用,網路中的請求傳到DispatchServlet中,由DispatchServlet進行截取分析並傳到對應的由@Controller和@RequestMapping註解的類或方法中,使得網路請求能正確的請求到對應的資源上.

下麵我們自定義一個DispatchServlet實現他所實現的功能

首先看一下源碼中MVC做了什麼

protected void initStrategies(ApplicationContext context) {
        this.initMultipartResolver(context);
        this.initLocaleResolver(context);
        this.initThemeResolver(context);
        this.initHandlerMappings(context);
        this.initHandlerAdapters(context);
        this.initHandlerExceptionResolvers(context);
        this.initRequestToViewNameTranslator(context);
        this.initViewResolvers(context);
        this.initFlashMapManager(context);
    }

 

從上面我們可以看到初始化方法的參數是ApplicationContext,這個是IOC的初始化容器,我之前的博客中解析過IOC的源碼,不懂的可以去裡面解讀.

initStrategies方法的目的就是從容器中獲取已經解析出來的bean資源,並獲取其帶有@Controller和@RequestMapping註解的bean資源.

protected void doService(HttpServletRequest request, HttpServletResponse response) throws Exception {
        if (this.logger.isDebugEnabled()) {
            String resumed = WebAsyncUtils.getAsyncManager(request).hasConcurrentResult() ? " resumed" : "";
            this.logger.debug("DispatcherServlet with name '" + this.getServletName() + "'" + resumed + " processing " + request.getMethod() + " request for [" + getRequestUri(request) + "]");
        }

        Map<String, Object> attributesSnapshot = null;
        if (WebUtils.isIncludeRequest(request)) {
            attributesSnapshot = new HashMap();
            Enumeration attrNames = request.getAttributeNames();

            label108:
            while(true) {
                String attrName;
                do {
                    if (!attrNames.hasMoreElements()) {
                        break label108;
                    }

                    attrName = (String)attrNames.nextElement();
                } while(!this.cleanupAfterInclude && !attrName.startsWith("org.springframework.web.servlet"));

                attributesSnapshot.put(attrName, request.getAttribute(attrName));
            }
        }

        request.setAttribute(WEB_APPLICATION_CONTEXT_ATTRIBUTE, this.getWebApplicationContext());
        request.setAttribute(LOCALE_RESOLVER_ATTRIBUTE, this.localeResolver);
        request.setAttribute(THEME_RESOLVER_ATTRIBUTE, this.themeResolver);
        request.setAttribute(THEME_SOURCE_ATTRIBUTE, this.getThemeSource());
        FlashMap inputFlashMap = this.flashMapManager.retrieveAndUpdate(request, response);
        if (inputFlashMap != null) {
            request.setAttribute(INPUT_FLASH_MAP_ATTRIBUTE, Collections.unmodifiableMap(inputFlashMap));
        }

        request.setAttribute(OUTPUT_FLASH_MAP_ATTRIBUTE, new FlashMap());
        request.setAttribute(FLASH_MAP_MANAGER_ATTRIBUTE, this.flashMapManager);

        try {
            this.doDispatch(request, response);
        } finally {
            if (!WebAsyncUtils.getAsyncManager(request).isConcurrentHandlingStarted() && attributesSnapshot != null) {
                this.restoreAttributesAfterInclude(request, attributesSnapshot);
            }

        }

    }

 

doService方法其實目的就是解析用戶的請求路徑,根據請求路徑找到對應類和方法,使用反射調用.

七丶MyDispatchServlet(自定義前端控制器)

我們自己寫代碼來實現對應的init方法和Service方法的功能.

package com.spring.mvc.servlet;

import com.spring.mvc.annotation.MyController;
import com.spring.mvc.annotation.MyRequestMapping;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.File;
import java.io.IOException;
import java.lang.reflect.Method;
import java.net.URL;
import java.util.Enumeration;
import java.util.Map;
import java.util.Set;
import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.ConcurrentMap;

/**
 * @Author: ZhengZhe
 * @Description:
 * @Date: Created in 10:56 2019/12/17
 */
public class MyDispatchServlet extends HttpServlet{
    //我們定義兩個集合去存儲掃描到的帶有@MyController 和 @MyRequestMapping註解的類或者方法
    //存放 被@MyRequestMapping註解修飾的類或者方法
    private ConcurrentHashMap<String,Method> MyMethodsCollection = new ConcurrentHashMap();
    //存放 被@MyController註解修飾的類
    private ConcurrentHashMap<String,Object> MyControllerCollection = new ConcurrentHashMap();

    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {

        MyInit(req,resp);

        MyService(req,resp);

    }

    /**
     * 作用是 : 根據配置的包名,掃描所有包含@MyController註解修飾的類和@MyRequestMapping註解修飾的類或者方法
     *並將對應的 beanName放入上面定義的 集合中
     * @param req
     * @param resp
     */
    private void MyInit(HttpServletRequest req, HttpServletResponse resp) {
        //在源碼中,有IOC實現了容器的掃描和初始化,MVC中只是直接拿出來,但是這個方法中我們就不通過容器去獲取了
        //直接掃描並且存入上面的集合中就可以了
        String basePackage ="com.spring.mvc";
        //根據傳入的包路徑,掃描包,此時只是將該包下所有的文件資源存入集合中,但是並沒有篩選加了@MyController和
        //@RequestMapping註解的類,即掃描所有.class位元組碼對象並保存起來
        ConcurrentHashMap<String, Class<?>> scannerClass = scannerClass(basePackage);

        //下麵直接進行篩選@MyController和@RequestMapping註解的類
        Set<Map.Entry<String, Class<?>>> entrySet = scannerClass.entrySet();
        for (Map.Entry<String, Class<?>> entry : entrySet) {
            //獲取key : 類名稱
            String className = entry.getKey();
            //獲取value : 對應的.class位元組碼對象
            Class<?> clazz = entry.getValue();
            //定義MyRequestMapping的url
            String classUrl = "";
            try {
                //該類是否標記了MyController註解
                if (clazz.isAnnotationPresent(MyController.class)){
                    //該類是否標記了MyRequestMapping註解
                    if (clazz.isAnnotationPresent(MyRequestMapping.class)){
                        //如果該類被MyRequestMapping註解所標識,獲取其屬性url值
                        MyRequestMapping requestMapping = clazz.getAnnotation(MyRequestMapping.class);
                        classUrl = requestMapping.value();
                    }
                    //將被標識了MyController註解的類存入集合中
                    MyControllerCollection.put("className",clazz.newInstance());
                    //判斷該類中的方法是否標識了@MyRequestMapping註解,如果標識了存入MyMethodsCollection集合中
                    //獲取該類下的方法
                    Method[] methods = clazz.getMethods();//獲取該類中的方法數組
                    //遍歷該數組
                    for (Method method : methods) {
                        //判斷是否被@MyRequestMapping註解標識
                        if (method.isAnnotationPresent(MyRequestMapping.class)){
                            //已被@MyRequestMapping註解標識
                            //獲取其url
                            MyRequestMapping myRequestMapping = method.getAnnotation(MyRequestMapping.class);
                            //獲取method上的url
                            String methodUrl = myRequestMapping.value();
                            //拼接兩端MyController和method的url
                            MyMethodsCollection.put(classUrl+methodUrl,method);
                        }
                    }


                }
            } catch (Exception e) {
                e.printStackTrace();
            }
        }
    }
    //根據傳入的包路徑,進行bean資源的獲取,一般可以在xml中設置包路徑.但是我們直接給出即可(簡單)
    private static ConcurrentHashMap<String, Class<?>> scannerClass(String basePackage) {
        ConcurrentHashMap<String, Class<?>> result = new ConcurrentHashMap<>();
        //把com.spring.mvc 換成com/spring/mvc再類載入器讀取文件
        String basePath = basePackage.replaceAll("\\.", "/");
        try {
            //得到com/spring/mvc的絕對地址 /D:xxxxx/com/spring/mvc
            String rootPath = MyDispatchServlet.class.getClassLoader().getResource(basePath).getPath();
            //只留com/ming/mvc 目的為了後續拼接成一個全限定名
            if (rootPath != null) {
                rootPath = rootPath.substring(rootPath.indexOf(basePath));
            }
            Enumeration<URL> enumeration = MyDispatchServlet.class.getClassLoader().getResources(basePath);
            while (enumeration.hasMoreElements()) {
                URL url = enumeration.nextElement();
                if (url.getProtocol().equals("file")) {//如果是個文件
                    File file = new File(url.getPath().substring(1));
                    scannerFile(file, rootPath, result);
                }
            }

        } catch (IOException e) {
            e.printStackTrace();
        }
        return result;

    }

    //遞歸掃描文件
    private static void scannerFile(File folder, String rootPath, ConcurrentHashMap<String, Class<?>> classes) {
        try {
            File[] files = folder.listFiles();
            for (int i = 0; files != null && i < files.length; i++) {
                File file = files[i];
                if (file.isDirectory()) {
                    scannerFile(file, rootPath + file.getName() + "/", classes);
                } else {
                    if (file.getName().endsWith(".class")) {
                        String className = (rootPath + file.getName()).replaceAll("/", ".");
                        className = className.substring(0, className.indexOf(".class"));//去掉擴展名得到全限定名
                        //Map容器存儲全限定名和Class
                        classes.put(className, Class.forName(className));
                    }
                }

            }
        } catch (Exception e) {
            e.printStackTrace();
        }
    }



    /**
     * 作用是 : 解析用戶的請求路徑,,根據請求路徑找到對應的類和方法,並使用反射調用其方法
     * @param req
     * @param resp
     */
    private void MyService(HttpServletRequest req, HttpServletResponse resp) {
        //在MyInit中我們已將被@MyController和@MyRequestMapping註解標識的類或者方法存入對應的集合中了;
        //下麵我們需要將網路請求中的url和我們容器中初始化好的url進行匹配,如果匹配成功,那麼直接執行此方法
        //返回除去host(功能變數名稱或者ip)部分的路徑(包含)
        String requestURI = req.getRequestURI();//類似test/test
        //返回工程名部分,如果工程映射為/,此處返回則為空 (工程名即項目名)
        String contextPath = req.getContextPath();//類似test
        //獲取實際除 ip,埠,項目名外的請求路徑
        //如web.xml中的servlet攔截路徑設置的為/* 採用下麵的方法,如果採用的是/*.do或者/*.action類似的尾碼,需要把後面的也去掉
        String requestMappingPath = requestURI.substring(contextPath.length());
        //通過截取到的實際的請求url為key獲取對應的方法
        Method method = MyMethodsCollection.get(requestMappingPath);
        try {
            if (method == null){
                //此時就是大名鼎鼎的404 了~
                //直接返回404
                resp.sendError(404);
                return;
            }
            //存在,那麼直接執行
            //獲取方法所對應的的class<?>位元組碼文件
            Class<?> declaringClass = method.getDeclaringClass();
            //下麵按照源碼來說還需要去判斷是否是單例等操作,我們直接省去
            method.invoke(declaringClass.newInstance());
        } catch (Exception e) {
            e.printStackTrace();
        }
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        System.out.println("這是調用了doPost方法");
    }
}

 

八丶創建ControllerTest測試類

package com.spring.mvc.controller;

import com.spring.mvc.annotation.MyController;
import com.spring.mvc.annotation.MyRequestMapping;

import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.io.PrintWriter;
import java.util.HashMap;
import java.util.Map;

/**
 * @Author: ZhengZhe
 * @Description:
 * @Date: Created in 15:07 2019/12/17
 */
@MyController
@MyRequestMapping("/hello")
public class ControllerTest {


    @MyRequestMapping("/world")
    public void helloworld(){
        System.out.println("自定義MVC測試成功~ ,現在時間是"+System.currentTimeMillis());
    }
}

 

查看控制台輸出:

信息: At least one JAR was scanned for TLDs yet contained no TLDs. Enable debug logging for this logger for a complete list of JARs that were scanned but no TLDs were found in them. Skipping unneeded JARs during scanning can improve startup time and JSP compilation time.
[2019-12-17 03:33:26,276] Artifact mvc:war exploded: Artifact is deployed successfully
[2019-12-17 03:33:26,276] Artifact mvc:war exploded: Deploy took 565 milliseconds
自定義MVC測試成功~ ,現在時間是1576568012163

 

————————————————

本人免費整理了Java高級資料,涵蓋了Java、Redis、MongoDB、MySQL、Zookeeper、Spring Cloud、Dubbo高併發分散式等教程,一共30G,需要自己領取。
傳送門:https://mp.weixin.qq.com/s/osB-BOl6W-ZLTSttTkqMPQ


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 一 Netty服務端NioEventLoop的啟動 Netty服務端創建、初始化完成後,再向Selector上註冊時,會將服務端Channel與NioEventLoop綁定,綁定之後,一方面會將服務端Channel的註冊工作當做Runnable任務提交到NioEventLoop的taskQueue, ...
  • 在一篇《初步瞭解JVM第一篇》中,我們已經瞭解了: 類載入器:負責載入*.class文件,將位元組碼內容載入到記憶體中。其中類載入器的類型有如下: 啟動類載入器(Bootstrap) 擴展類載入器(Extension) 應用程式類載入器(AppClassLoader) 用戶自定義載入器(User-Def ...
  • 微信公眾平臺後臺配置自定義菜單 一、首先進入微信公眾平臺, 訪問地址 https://mp.weixin.qq.com/ 二、用註冊的微信公眾號的賬號和密碼登錄,左側的功能選項中進入自定義菜單頁面 三、在自定義菜單頁面 點擊紅框的 + 號 就可以增加新的菜單 四、對新加的菜單可以根據自己的需要進行設 ...
  • 一款PHP+jQuery實現的中國地圖熱點數據統計展示實例,當滑鼠滑動到地圖指定省份區域,在彈出的提示框中顯示對應省份的數據信息。 ...
  • python中複數實現( 2) 0.5和開根號sqrt( 2)的區別 ( 2) 0.5和sqrt( 2)是不同的,前者是複數後者是會報錯的。 Python用迴圈構造的函數數組,運行這個數組裡面的函數後返回值都一樣 上面程式的輸出是: 為什麼明明f(x)返回的是x+i,而i是從0到4變化的。按道理執行 ...
  • 一般而言,函數後面只有一個括弧。如果看見括弧後還有一個括弧,說明第一個函數返回了一個函數,如果後面還有括弧,說明前面那個也返回了一個函數。以此類推。 比如fun()() PS:遇到問題沒人解答?需要Python學習資料?可以加點擊下方鏈接自行獲取 note.youdao.com/noteshare? ...
  • 1. json文件處理 1.1 什麼是json JSON(JavaScript Object Notation,JS對象簡譜)是一種輕量級的數據交換格式。它基於ECMAScript(歐洲電腦協會制定的js規範)的一個子集,採用完全獨立於編程語言的文本格式來存儲和表示數據。簡潔和清晰的層次結構使得J ...
  • 1.26個字母大小寫成對列印,例如:Aa,Bb...... 2.一個list包含10個數字,然後生成一個新的list,要求新的list裡面的數都比之前的數多1 3.倒序取出每個單詞的第一個字母,例如:I am a good boy! 方法1 方法2 4.輸入一個自己的生日月份,用if和else判斷一 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...