Spring web啓動流程源碼分析:前端
當一個Web應用部署到容器內時(eg.tomcat),在Web應用開始響應執行用戶請求前,如下步驟會被依次執行:java
經過上述官方文檔的描述,可繪製以下Web應用部署初始化流程執行圖。web
tomcat web容器啓動時加載web.xml文件,相關組件啓動順序爲: 解析<context-param> => 解析<listener> => 解析<filter> => 解析<servlet>,具體初始化過程以下:spring
WebApplicationContext applicationContext = (WebApplicationContext) application.getAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE);數據庫
WebApplicationContext applicationContext1 = WebApplicationContextUtils.getWebApplicationContext(application);tomcat
這個全局的根IoC容器只能獲取到在該容器中建立的Bean不能訪問到其餘容器建立的Bean,也就是讀取web.xml配置的contextConfigLocation參數的xml文件來建立對應的Bean。安全
web.xmlapp
<web-app xmlns="http://xmlns.jcp.org/xml/ns/javaee" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://xmlns.jcp.org/xml/ns/javaee http://xmlns.jcp.org/xml/ns/javaee/web-app_4_0.xsd" version="4.0"> <display-name>spring</display-name> <!--spring容器初始化配置--> <context-param> <param-name>contextConfigLocation</param-name> <param-value>classpath*:beans.xml</param-value> </context-param> <!--spring容器初始化監聽器--> <listener> <listener-class>org.springframework.web.context.ContextLoaderListener</listener-class> </listener> <filter> <filter-name>characterEncodingFilter</filter-name> <filter-class>org.springframework.web.filter.CharacterEncodingFilter</filter-class> <init-param> <param-name>encoding</param-name> <param-value>UTF-8</param-value> </init-param> <init-param> <param-name>forceEncoding</param-name> <param-value>true</param-value> </init-param> </filter> <filter-mapping> <filter-name>characterEncodingFilter</filter-name> <url-pattern>/*</url-pattern> </filter-mapping> <servlet> <servlet-name>dispatcher</servlet-name> <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class> <init-param> <param-name>contextConfigLocation</param-name> <param-value>classpath:dispatcher-servlet.xml</param-value> </init-param> <load-on-startup>1</load-on-startup> </servlet> <servlet-mapping> <servlet-name>dispatcher</servlet-name> <url-pattern>/</url-pattern> </servlet-mapping> </web-app>
啓動過程分析:jsp
<context-param>標籤的內容讀取後會被放進application中,作爲Web應用的全局變量使用,接下來建立listener時會使用到這個全局變量,所以,Web應用在容器中部署後,進行初始化時會先讀取這個全局變量,以後再進行上述講解的初始化啓動過程。ide
接着定義了一個ContextLoaderListener類的listener。查看ContextLoaderListener的類聲明源碼以下圖:
public class ContextLoaderListener extends ContextLoader implements ServletContextListener { … /** * Initialize the root web application context. */ @Override public void contextInitialized(ServletContextEvent event) { initWebApplicationContext(event.getServletContext()); } … }
ContextLoaderListener類繼承了ContextLoader類並實現了ServletContextListener接口,
首先看一下前面講述的ServletContextListener接口源碼:
/** * Implementations of this interface receive notifications about * changes to the servlet context of the web application they are * part of. * To receive notification events, the implementation class * must be configured in the deployment descriptor for the web * application. * @see ServletContextEvent * @since v 2.3 */ public interface ServletContextListener extends EventListener { /** ** Notification that the web application initialization ** process is starting. ** All ServletContextListeners are notified of context ** initialization before any filter or servlet in the web ** application is initialized. */ public void contextInitialized ( ServletContextEvent sce ); /** ** Notification that the servlet context is about to be shut down. ** All servlets and filters have been destroy()ed before any ** ServletContextListeners are notified of context ** destruction. */ public void contextDestroyed ( ServletContextEvent sce ); }
該接口只有兩個方法contextInitialized和contextDestroyed,這裏採用的是觀察者模式,也稱爲訂閱-發佈模式,實現了該接口的listener會向發佈者進行訂閱,當Web應用初始化或銷燬時會分別調用上述兩個方法。
繼續看ContextLoaderListener,該listener實現了ServletContextListener接口,所以在Web應用初始化時會調用該方法,該方法的具體實現以下:
/** * Initialize the root web application context. */ @Override public void contextInitialized(ServletContextEvent event) { initWebApplicationContext(event.getServletContext()); }
ContextLoaderListener的contextInitialized()方法直接調用了initWebApplicationContext()方法,這個方法是繼承自ContextLoader類,經過函數名能夠知道,該方法是用於初始化Web應用上下文,即IoC容器,這裏使用的是代理模式,繼續查看ContextLoader類的initWebApplicationContext()方法的源碼以下:
/** * Initialize Spring's web application context for the given servlet context, * using the application context provided at construction time, or creating a new one * according to the "{@link #CONTEXT_CLASS_PARAM contextClass}" and * "{@link #CONFIG_LOCATION_PARAM contextConfigLocation}" context-params. * @param servletContext current servlet context * @return the new WebApplicationContext * @see #ContextLoader(WebApplicationContext) * @see #CONTEXT_CLASS_PARAM * @see #CONFIG_LOCATION_PARAM */ public WebApplicationContext initWebApplicationContext(ServletContext servletContext) { /* 首先經過WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE 這個String類型的靜態變量獲取一個根IoC容器,根IoC容器做爲全局變量 存儲在application對象中,若是存在則有且只能有一個 若是在初始化根WebApplicationContext即根IoC容器時發現已經存在 則直接拋出異常,所以web.xml中只容許存在一個ContextLoader類或其子類的對象 */ if (servletContext.getAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE) != null) { throw new IllegalStateException( "Cannot initialize context because there is already a root application context present - " + "check whether you have multiple ContextLoader* definitions in your web.xml!"); } Log logger = LogFactory.getLog(ContextLoader.class); servletContext.log("Initializing Spring root WebApplicationContext"); if (logger.isInfoEnabled()) { logger.info("Root WebApplicationContext: initialization started"); } long startTime = System.currentTimeMillis(); try { // Store context in local instance variable, to guarantee that // it is available on ServletContext shutdown. // 若是當前成員變量中不存在WebApplicationContext則建立一個根WebApplicationContext if (this.context == null) { this.context = createWebApplicationContext(servletContext); } if (this.context instanceof ConfigurableWebApplicationContext) { ConfigurableWebApplicationContext cwac = (ConfigurableWebApplicationContext) this.context; if (!cwac.isActive()) { // The context has not yet been refreshed -> provide services such as // setting the parent context, setting the application context id, etc if (cwac.getParent() == null) { // The context instance was injected without an explicit parent -> // determine parent for root web application context, if any. //爲根WebApplicationContext設置一個父容器 ApplicationContext parent = loadParentContext(servletContext); cwac.setParent(parent); } configureAndRefreshWebApplicationContext(cwac, servletContext); } } /*將建立好的IoC容器放入到application對象中,並設置key爲WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE 所以,在SpringMVC開發中能夠在jsp中經過該key在application對象中獲取到根IoC容器,進而獲取到相應的Bean*/ servletContext.setAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE, this.context); ClassLoader ccl = Thread.currentThread().getContextClassLoader(); if (ccl == ContextLoader.class.getClassLoader()) { currentContext = this.context; } else if (ccl != null) { currentContextPerThread.put(ccl, this.context); } if (logger.isDebugEnabled()) { logger.debug("Published root WebApplicationContext as ServletContext attribute with name [" + WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE + "]"); } if (logger.isInfoEnabled()) { long elapsedTime = System.currentTimeMillis() - startTime; logger.info("Root WebApplicationContext: initialization completed in " + elapsedTime + " ms"); } return this.context; } catch (RuntimeException ex) { logger.error("Context initialization failed", ex); servletContext.setAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE, ex); throw ex; } catch (Error err) { logger.error("Context initialization failed", err); servletContext.setAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE, err); throw err; } }
initWebApplicationContext()方法如上註解講述,主要目的就是建立root WebApplicationContext對象即根IoC容器,其中比較重要的就是,整個Web應用若是存在根IoC容器則有且只能有一個,根IoC容器做爲全局變量存儲在ServletContext即application對象中。將根IoC容器放入到application對象以前進行了IoC容器的配置和刷新操做,調用了configureAndRefreshWebApplicationContext()方法,該方法源碼以下:
protected void configureAndRefreshWebApplicationContext(ConfigurableWebApplicationContext wac, ServletContext sc) { if (ObjectUtils.identityToString(wac).equals(wac.getId())) { // The application context id is still set to its original default value // -> assign a more useful id based on available information String idParam = sc.getInitParameter(CONTEXT_ID_PARAM); if (idParam != null) { wac.setId(idParam); } else { // Generate default id... wac.setId(ConfigurableWebApplicationContext.APPLICATION_CONTEXT_ID_PREFIX + ObjectUtils.getDisplayString(sc.getContextPath())); } } wac.setServletContext(sc); /* CONFIG_LOCATION_PARAM = "contextConfigLocation" 獲取web.xml中<context-param>標籤配置的全局變量,其中key爲CONFIG_LOCATION_PARAM 也就是咱們配置的相應Bean的xml文件名,並將其放入到WebApplicationContext中 */ String configLocationParam = sc.getInitParameter(CONFIG_LOCATION_PARAM); if (configLocationParam != null) { wac.setConfigLocation(configLocationParam); } // The wac environment's #initPropertySources will be called in any case when the context // is refreshed; do it eagerly here to ensure servlet property sources are in place for // use in any post-processing or initialization that occurs below prior to #refresh ConfigurableEnvironment env = wac.getEnvironment(); if (env instanceof ConfigurableWebEnvironment) { ((ConfigurableWebEnvironment) env).initPropertySources(sc, null); } customizeContext(sc, wac); wac.refresh(); }
比較重要的就是獲取到了web.xml中的<context-param>標籤配置的全局變量contextConfigLocation,並最後一行調用了refresh()方法,ConfigurableWebApplicationContext是一個接口,經過對經常使用實現類ClassPathXmlApplicationContext逐層查找後能夠找到一個抽象類AbstractApplicationContext實現了refresh()方法,其源碼以下:
@Override public void refresh() throws BeansException, IllegalStateException { synchronized (this.startupShutdownMonitor) { // Prepare this context for refreshing. prepareRefresh(); // Tell the subclass to refresh the internal bean factory. ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory(); // Prepare the bean factory for use in this context. prepareBeanFactory(beanFactory); try { // Allows post-processing of the bean factory in context subclasses. postProcessBeanFactory(beanFactory); // Invoke factory processors registered as beans in the context. invokeBeanFactoryPostProcessors(beanFactory); // Register bean processors that intercept bean creation. registerBeanPostProcessors(beanFactory); // Initialize message source for this context. initMessageSource(); // Initialize event multicaster for this context. initApplicationEventMulticaster(); // Initialize other special beans in specific context subclasses. onRefresh(); // Check for listener beans and register them. registerListeners(); // Instantiate all remaining (non-lazy-init) singletons. finishBeanFactoryInitialization(beanFactory); // Last step: publish corresponding event. finishRefresh(); } catch (BeansException ex) { if (logger.isWarnEnabled()) { logger.warn("Exception encountered during context initialization - " + "cancelling refresh attempt: " + ex); } // Destroy already created singletons to avoid dangling resources. destroyBeans(); // Reset 'active' flag. cancelRefresh(ex); // Propagate exception to caller. throw ex; } finally { // Reset common introspection caches in Spring's core, since we // might not ever need metadata for singleton beans anymore... resetCommonCaches(); } } }
該方法主要用於建立並初始化contextConfigLocation類配置的xml文件中的Bean,所以,若是咱們在配置Bean時出錯,在Web應用啓動時就會拋出異常,而不是等到運行時才拋出異常。
整個ContextLoaderListener類的啓動過程到此就結束了,能夠發現,建立ContextLoaderListener是比較核心的一個步驟,主要工做就是爲了建立根IoC容器並使用特定的key將其放入到application對象中,供整個Web應用使用,因爲在ContextLoaderListener類中構造的根IoC容器配置的Bean是全局共享的,所以,在<context-param>標識的contextConfigLocation的xml配置文件通常包括:數據庫DataSource、DAO層、Service層、事務等相關Bean。
在JSP中能夠經過如下兩種方法獲取到根IoC容器從而獲取相應Bean:
WebApplicationContext applicationContext = (WebApplicationContext) application.getAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE);
WebApplicationContext applicationContext = WebApplicationContextUtils.getWebApplicati
在監聽器listener初始化完成後,按照文章開始的講解,接下來會進行filter的初始化操做,filter的建立和初始化中沒有涉及IoC容器的相關操做,本文舉例的filter是一個用於編碼用戶請求和響應的過濾器,採用utf-8編碼用於適配中文。
Web應用啓動的最後一個步驟就是建立和初始化相關Servlet,在開發中經常使用的Servlet就是DispatcherServlet類前端控制器,前端控制器做爲中央控制器是整個Web應用的核心,用於獲取分發用戶請求並返回響應,借用網上一張關於DispatcherServlet類的類圖,其類圖以下所示:
經過類圖能夠看出DispatcherServlet類的間接父類實現了Servlet接口,所以其本質上依舊是一個Servlet。DispatcherServlet類的設計很巧妙,上層父類不一樣程度的實現了相關接口的部分方法,並留出了相關方法用於子類覆蓋,將不變的部分統一實現,將變化的部分預留方法用於子類實現。
經過對上述類圖中相關類的源碼分析能夠繪製以下相關初始化方法調用邏輯:
經過類圖和相關初始化函數調用的邏輯來看,DispatcherServlet類的初始化過程將模板方法使用的淋漓盡致,其父類完成不一樣的統一的工做,並預留出相關方法用於子類覆蓋去完成不一樣的可變工做。
DispatcherServelt類的本質是Servlet,經過文章開始的講解可知,在Web應用部署到容器後進行Servlet初始化時會調用相關的init(ServletConfig)方法,所以,DispatchServlet類的初始化過程也由該方法開始。上述調用邏輯中比較重要的就是FrameworkServlet抽象類中的initServletBean()方法、initWebApplicationContext()方法以及DispatcherServlet類中的onRefresh()方法,接下來會逐一進行講解。
首先查看一下FrameworkServlet的initServletBean()的相關源碼以下所示:
@Override protected final void initServletBean() throws ServletException { getServletContext().log("Initializing Spring FrameworkServlet '" + getServletName() + "'"); if (this.logger.isInfoEnabled()) { this.logger.info("FrameworkServlet '" + getServletName() + "': initialization started"); } long startTime = System.currentTimeMillis(); try { this.webApplicationContext = initWebApplicationContext(); initFrameworkServlet(); } catch (ServletException ex) { this.logger.error("Context initialization failed", ex); throw ex; } catch (RuntimeException ex) { this.logger.error("Context initialization failed", ex); throw ex; } if (this.logger.isInfoEnabled()) { long elapsedTime = System.currentTimeMillis() - startTime; this.logger.info("FrameworkServlet '" + getServletName() + "': initialization completed in " + elapsedTime + " ms"); } }
該方法是重寫了FrameworkServlet抽象類父類HttpServletBean抽象類的initServletBean()方法,HttpServletBean抽象類在執行init()方法時會調用initServletBean()方法,因爲多態的特性,最終會調用其子類FrameworkServlet抽象類的initServletBean()方法。該方法由final標識,子類就不可再次重寫了。該方法中比較重要的就是initWebApplicationContext()方法的調用,該方法仍由FrameworkServlet抽象類實現,繼續查看其源碼以下所示:
/** * Initialize and publish the WebApplicationContext for this servlet. * <p>Delegates to {@link #createWebApplicationContext} for actual creation * of the context. Can be overridden in subclasses. * @return the WebApplicationContext instance * @see #FrameworkServlet(WebApplicationContext) * @see #setContextClass * @see #setContextConfigLocation */ protected WebApplicationContext initWebApplicationContext() { /* 獲取由ContextLoaderListener建立的根IoC容器 獲取根IoC容器有兩種方法,還可經過key直接獲取 */ WebApplicationContext rootContext = WebApplicationContextUtils.getWebApplicationContext(getServletContext()); WebApplicationContext wac = null; if (this.webApplicationContext != null) { // A context instance was injected at construction time -> use it wac = this.webApplicationContext; if (wac instanceof ConfigurableWebApplicationContext) { ConfigurableWebApplicationContext cwac = (ConfigurableWebApplicationContext) wac; if (!cwac.isActive()) { // The context has not yet been refreshed -> provide services such as // setting the parent context, setting the application context id, etc if (cwac.getParent() == null) { // The context instance was injected without an explicit parent -> set // the root application context (if any; may be null) as the parent /*若是當前Servelt存在一個WebApplicationContext即子IoC容器而且上文獲取的根IoC容器存在,則將根IoC容器做爲子IoC容器的父容器 */ cwac.setParent(rootContext); } //配置並刷新當前的子IoC容器,功能與前文講解根IoC容器時的配置刷新一致,用於構建相關Bean configureAndRefreshWebApplicationContext(cwac); } } } if (wac == null) { // No context instance was injected at construction time -> see if one // has been registered in the servlet context. If one exists, it is assumed // that the parent context (if any) has already been set and that the // user has performed any initialization such as setting the context id //若是當前Servlet不存在一個子IoC容器則去查找一下 wac = findWebApplicationContext(); } if (wac == null) { // No context instance is defined for this servlet -> create a local one //若是仍舊沒有查找到子IoC容器則建立一個子IoC容器 wac = createWebApplicationContext(rootContext); } if (!this.refreshEventReceived) { // Either the context is not a ConfigurableApplicationContext with refresh // support or the context injected at construction time had already been // refreshed -> trigger initial onRefresh manually here. //調用子類覆蓋的onRefresh方法完成「可變」的初始化過程 onRefresh(wac); } if (this.publishContext) { // Publish the context as a servlet context attribute. String attrName = getServletContextAttributeName(); getServletContext().setAttribute(attrName, wac); if (this.logger.isDebugEnabled()) { this.logger.debug("Published WebApplicationContext of servlet '" + getServletName() + "' as ServletContext attribute with name [" + attrName + "]"); } } return wac; }
經過函數名不難發現,該方法的主要做用一樣是建立一個WebApplicationContext對象,即Ioc容器,不過前文講過每一個Web應用最多隻能存在一個根IoC容器,這裏建立的則是特定Servlet擁有的子IoC容器,可能有些讀者會有疑問,爲何須要多個Ioc容器,首先介紹一個父子IoC容器的訪問特性,有興趣的讀者能夠自行實驗。
父子IoC容器的訪問特性
在學習Spring時,咱們都是從讀取xml配置文件來構造IoC容器,經常使用的類有ClassPathXmlApplicationContext類,該類存在一個初始化方法用於傳入xml文件路徑以及一個父容器,咱們能夠建立兩個不一樣的xml配置文件並實現以下代碼:
//applicationContext1.xml文件中配置一個id爲baseBean的Bean ApplicationContext baseContext = new ClassPathXmlApplicationContext("applicationContext1.xml"); Object obj1 = baseContext.getBean("baseBean"); System.out.println("baseContext Get Bean " + obj1); //applicationContext2.xml文件中配置一個id未subBean的Bean ApplicationContext subContext = new ClassPathXmlApplicationContext(new String[]{"applicationContext2.xml"}, baseContext); Object obj2 = subContext.getBean("baseBean"); System.out.println("subContext get baseContext Bean " + obj2); Object obj3 = subContext.getBean("subBean"); System.out.println("subContext get subContext Bean " + obj3); //拋出NoSuchBeanDefinitionException異常 Object obj4 = baseContext.getBean("subBean"); System.out.println("baseContext get subContext Bean " + obj4);
首先建立baseContext沒有爲其設置父容器,接着能夠成功獲取id爲baseBean的Bean,接着建立subContext並將baseContext設置爲其父容器,subContext能夠成功獲取baseBean以及subBean,最後試圖使用baseContext去獲取subContext中定義的subBean,此時會拋出異常NoSuchBeanDefinitionException,因而可知,父子容器相似於類的繼承關係,子類能夠訪問父類中的成員變量,而父類不可訪問子類的成員變量,一樣的,子容器能夠訪問父容器中定義的Bean,但父容器沒法訪問子容器定義的Bean。
經過上述實驗咱們能夠理解爲什麼須要建立多個Ioc容器,根IoC容器作爲全局共享的IoC容器放入Web應用須要共享的Bean,而子IoC容器根據需求的不一樣,放入不一樣的Bean,這樣可以作到隔離,保證系統的安全性。
接下來繼續講解DispatcherServlet類的子IoC容器建立過程,若是當前Servlet存在一個IoC容器則爲其設置根IoC容器做爲其父類,並配置刷新該容器,用於構造其定義的Bean,這裏的方法與前文講述的根IoC容器相似,一樣會讀取用戶在web.xml中配置的<servlet>中的<init-param>值,用於查找相關的xml配置文件用於構造定義的Bean,這裏再也不贅述了。若是當前Servlet不存在一個子IoC容器就去查找一個,若是仍然沒有查找到則調用
createWebApplicationContext()方法去建立一個,查看該方法的源碼以下所示:
/** * Instantiate the WebApplicationContext for this servlet, either a default * {@link org.springframework.web.context.support.XmlWebApplicationContext} * or a {@link #setContextClass custom context class}, if set. * <p>This implementation expects custom contexts to implement the * {@link org.springframework.web.context.ConfigurableWebApplicationContext} * interface. Can be overridden in subclasses. * <p>Do not forget to register this servlet instance as application listener on the * created context (for triggering its {@link #onRefresh callback}, and to call * {@link org.springframework.context.ConfigurableApplicationContext#refresh()} * before returning the context instance. * @param parent the parent ApplicationContext to use, or {@code null} if none * @return the WebApplicationContext for this servlet * @see org.springframework.web.context.support.XmlWebApplicationContext */ protected WebApplicationContext createWebApplicationContext(ApplicationContext parent) { Class<?> contextClass = getContextClass(); if (this.logger.isDebugEnabled()) { this.logger.debug("Servlet with name '" + getServletName() + "' will try to create custom WebApplicationContext context of class '" + contextClass.getName() + "'" + ", using parent context [" + parent + "]"); } if (!ConfigurableWebApplicationContext.class.isAssignableFrom(contextClass)) { throw new ApplicationContextException( "Fatal initialization error in servlet with name '" + getServletName() + "': custom WebApplicationContext class [" + contextClass.getName() + "] is not of type ConfigurableWebApplicationContext"); } ConfigurableWebApplicationContext wac = (ConfigurableWebApplicationContext) BeanUtils.instantiateClass(contextClass); wac.setEnvironment(getEnvironment()); wac.setParent(parent); wac.setConfigLocation(getContextConfigLocation()); configureAndRefreshWebApplicationContext(wac); return wac; }
該方法用於建立一個子IoC容器並將根IoC容器作爲其父容器,接着進行配置和刷新操做用於構造相關的Bean。至此,根IoC容器以及相關Servlet的子IoC容器已經配置完成,子容器中管理的Bean通常只被該Servlet使用,所以,其中管理的Bean通常是「局部」的,如SpringMVC中須要的各類重要組件,包括Controller、Interceptor、Converter、ExceptionResolver等。相關關係以下圖所示:
當IoC子容器構造完成後調用了onRefresh()方法,該方法的調用與initServletBean()方法的調用相同,由父類調用但具體實現由子類覆蓋,調用onRefresh()方法時將前文建立的IoC子容器做爲參數傳入,查看DispatcherServlet類的onRefresh()方法源碼以下:
/** * This implementation calls {@link #initStrategies}. */ //context爲DispatcherServlet建立的一個IoC子容器 @Override protected void onRefresh(ApplicationContext context) { initStrategies(context); } /** * Initialize the strategy objects that this servlet uses. * <p>May be overridden in subclasses in order to initialize further strategy objects. */ protected void initStrategies(ApplicationContext context) { initMultipartResolver(context); initLocaleResolver(context); initThemeResolver(context); initHandlerMappings(context); initHandlerAdapters(context); initHandlerExceptionResolvers(context); initRequestToViewNameTranslator(context); initViewResolvers(context); initFlashMapManager(context); }
onRefresh()方法直接調用了initStrategies()方法,源碼如上,經過函數名能夠判斷,該方法用於初始化建立multipartResovle來支持圖片等文件的上傳、本地化解析器、主題解析器、HandlerMapping處理器映射器、HandlerAdapter處理器適配器、異常解析器、視圖解析器、flashMap管理器等,這些組件都是SpringMVC開發中的重要組件,相關組件的初始化建立過程均在此完成。
至此,DispatcherServlet類的建立和初始化過程也就結束了,整個Web應用部署到容器後的初始化啓動過程的重要部分所有分析清楚了,經過前文的分析咱們能夠認識到層次化設計的優勢,以及IoC容器的繼承關係所表現的隔離性。分析源碼能讓咱們更清楚的理解和認識到相關初始化邏輯以及配置文件的配置原理。
參考:https://www.jianshu.com/p/dc64d02e49ac