springMvc 架构流程和各个组件  用户发送请求至前端控制器DispatcherServlet。
DispatcherServlet收到请求调用HandlerMapping处理器映射器。
处理器映射器找到具体的处理器(可以根据xml配置、注解进行查找),生成处理器对象及处理器拦截器(如果有则生成)一并返回给DispatcherServlet。
DispatcherServlet调用HandlerAdapter处理器适配器。
HandlerAdapter经过适配调用具体的处理器(Controller,也叫后端控制器)。
Controller执行完成返回ModelAndView。
HandlerAdapter将controller执行结果ModelAndView返回给DispatcherServlet。
DispatcherServlet将ModelAndView传给ViewReslover视图解析器。
ViewReslover解析后返回具体View。
DispatcherServlet根据View进行渲染视图(即将模型数据填充至视图中)。
DispatcherServlet响应用户。
包含各个组件 
前端控制器:DispatcherServlet  用户请求到达前端控制器,它就相当于 MVC 模式中的 C,DispatcherServlet 是整个流程控制的中心,由它调用其它组件处理用户的请求,DispatcherServlet 的存在降低了组件之间的耦合性。
处理器映射器:HandlerMapping  HandlerMapping负责根据用户请求找到Handler处理器,SpringMVC提供了不同的映射器实现不同的映射方式,例如:配置文件方式,实现接口方式,注解方式等。
处理器适配器:HandlerAdapter  通过 HandlerAdapter对处理器进行执行适配,这是适配器模式的应用,通过扩展适配器可以对更多类型的处理器进行执行。因为SpringMVC中的Handler可以是任意的形式,只要能处理请求就ok,但是Servlet需要的处理方法的结构却是固定的,都是以request和response为参数的方法。如何让固定的Servlet处理方法调用灵活的Handler来进行处理呢?这就是HandlerAdapter要做的事情。
处理器:Handler  它就是我们开发中要编写的具体业务处理接口。由 DispatcherServlet把用户请求转发到 Handler。由Handler对具体的用户请求进行处理。Handler的概念,也就是处理器。它直接应对着MVC中的C也就是Controller层,它的具体表现形式有很多,可以是类,也可以是方法。在Controller层中@RequestMapping标注的所有方法都可以看成是一个Handler,只要可以实际处理请求就可以是Handler。
视图解析器:View Resolver  View Resolver负责将处理结果生成View 视图,View Resolver首先根据逻辑视图名解析成物理视图名,即具体的页面地址,再生成 View视图对象(包括响应信息等),最后对View进行渲染将处理结果通过页面展示给用户。
视图:View  SpringMVC 框架提供了很多的 View 视图类型的支持,包括:JstlView、FreeMarkerView等。最常用的视图就是 JSP。一般情况下需要通过页面标签或页面模版技术将模型数据通过页面展示给用户,需要由程序员根据业务需求开发具体的页面
源码分析 1.初始化流程 1 2 3 4 5 6 <context-param >        <param-name > contextConfigLocation</param-name >         <param-value > classpath:applicationContext03.xml</param-value >   </context-param >  <listener >        <listener-class > org.springframework.web.context.ContextLoaderListener</listener-class >  </listener >  
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 public  void  contextInitialized (ServletContextEvent event)  {    	 		initWebApplicationContext(event.getServletContext()); 	} public  WebApplicationContext initWebApplicationContext (ServletContext servletContext)  {        try  {                          if  (this .context == null ) {                 this .context = createWebApplicationContext(servletContext);             }             if  (this .context instanceof  ConfigurableWebApplicationContext) {                 ConfigurableWebApplicationContext  cwac  =  (ConfigurableWebApplicationContext) this .context;                 if  (!cwac.isActive()) {                                                               if  (cwac.getParent() == null ) {                                                                           ApplicationContext  parent  =  loadParentContext(servletContext);                         cwac.setParent(parent);                     }                                          configureAndRefreshWebApplicationContext(cwac, servletContext);                 }             }                     servletContext.setAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE, this .context);     }          protected  void  configureAndRefreshWebApplicationContext (ConfigurableWebApplicationContext wac, ServletContext sc)  {                           wac.refresh();     } 
dispatcherServlet 
1 2 3 4 5 6 7 8 9 10 11 12 13 14 <servlet >       <servlet-name > DispatcherServlet</servlet-name >        <servlet-class > org.springframework.web.servlet.DispatcherServlet</servlet-class >        <init-param >            <param-name > contextConfigLocation</param-name >            <param-value > classpath:spring-mvc.xml</param-value >        </init-param >        <load-on-startup > 1</load-on-startup >    </servlet >    <servlet-mapping >        <servlet-name > DispatcherServlet</servlet-name >        <url-pattern > *.do</url-pattern >    </servlet-mapping >  
DispatcherServlet是MVC的心脏,继承了FrameworkServlet,FrameworkServlet又继承了HttpServletBean,HttpServletBean又继承了HttpServlet并且实现了Servlet的init方法。从顶层往子类往下看,一系列的模板方法!(父类调用,子类实现)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88          public  final  void  init ()  throws  ServletException {                  PropertyValues  pvs  =  new  ServletConfigPropertyValues (getServletConfig(), this .requiredProperties);         if  (!pvs.isEmpty()) {             try  {                 BeanWrapper  bw  =  PropertyAccessorFactory.forBeanPropertyAccess(this );                 ResourceLoader  resourceLoader  =  new  ServletContextResourceLoader (getServletContext());                 bw.registerCustomEditor(Resource.class, new  ResourceEditor (resourceLoader, getEnvironment()));                 initBeanWrapper(bw);                                                   bw.setPropertyValues(pvs, true );             }             catch  (BeansException ex) {                 if  (logger.isDebugEnabled()) {                     logger.error("Failed to set bean properties on servlet '"  + getServletName() + "'" , ex);                 }                 throw  ex;             }         }                  initServletBean();     }       protected  final  void  initServletBean ()  throws  ServletException {                  try  {                           this .webApplicationContext = initWebApplicationContext();                           initFrameworkServlet();         }              }           protected  WebApplicationContext initWebApplicationContext ()  {                  WebApplicationContext  rootContext  =                  WebApplicationContextUtils.getWebApplicationContext(getServletContext());         WebApplicationContext  wac  =  null ;         if  (this .webApplicationContext != null ) {                          wac = this .webApplicationContext;             if  (wac instanceof  ConfigurableWebApplicationContext) {                 ConfigurableWebApplicationContext  cwac  =  (ConfigurableWebApplicationContext) wac;                 if  (!cwac.isActive()) {                                                               if  (cwac.getParent() == null ) {                                                                           cwac.setParent(rootContext);                     }                                            configureAndRefreshWebApplicationContext(cwac);                 }             }         }         if  (wac == null ) {                          wac = findWebApplicationContext();         }         if  (wac == null ) {                                                    wac = createWebApplicationContext(rootContext);         }         if  (!this .refreshEventReceived) {             synchronized  (this .onRefreshMonitor) {                                  onRefresh(wac);             }         }         if  (this .publishContext) {                          String  attrName  =  getServletContextAttributeName();             getServletContext().setAttribute(attrName, wac);         }         return  wac;     } 
加载SpringMVC容器
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56    protected  WebApplicationContext createWebApplicationContext (@Nullable  ApplicationContext parent)  {   Class<?> contextClass = getContextClass();    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);        String  configLocation  =  getContextConfigLocation();    if  (configLocation != null ) {       wac.setConfigLocation(configLocation);    }        configureAndRefreshWebApplicationContext(wac);    return  wac; } protected  void  configureAndRefreshWebApplicationContext (ConfigurableWebApplicationContext wac)  {   if  (ObjectUtils.identityToString(wac).equals(wac.getId())) {                     if  (this .contextId != null ) {          wac.setId(this .contextId);       }       else  {                    wac.setId(ConfigurableWebApplicationContext.APPLICATION_CONTEXT_ID_PREFIX +                ObjectUtils.getDisplayString(getServletContext().getContextPath()) + '/'  + getServletName());       }    }        wac.setServletContext(getServletContext());    wac.setServletConfig(getServletConfig());    wac.setNamespace(getNamespace());        wac.addApplicationListener(new  SourceFilteringListener (wac, new  ContextRefreshListener ()));                ConfigurableEnvironment  env  =  wac.getEnvironment();    if  (env instanceof  ConfigurableWebEnvironment) {       ((ConfigurableWebEnvironment) env).initPropertySources(getServletContext(), getServletConfig());    }        postProcessWebApplicationContext(wac);    applyInitializers(wac);        wac.refresh(); } 
2.HandlerMapping , HandlerAdapter初始化 HandlerMapping会作为一个Bean实例化到Spring 容器,它有以下几种模式:
BeanNameUrlHandlerMapping ,根据bean标签的名称找到对应的Controller类 
SimpleUrlHandlerMapping ,根据bean的id查找对应的Controller类 
RequestMappingHandlerMapping ,根据controller类的名字找到对应的Controller,这也是我们最常用的  
 
HandlerAdapter会作为一个Bean实例化到Spring 容器,它有以下几种模式:
HttpRequestHandlerAdapter,业务自行处理 请求,不需要通过modelAndView 转到视图   
RequestMappingHandlerAdapter, 基于@RequestMapping对应方法处理 最常用的   
SimpleControllerHandlerAdapter 标准控制器,返回ModelAndView 
 
首先,我们需要对以上HandlerMapping,HandlerAdapter进行Bean Definition,还是熟悉的味道,
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 protected  void  parseBeanDefinitions (Element root, BeanDefinitionParserDelegate delegate)  {   if  (delegate.isDefaultNamespace(root)) {       NodeList  nl  =  root.getChildNodes();       for  (int  i  =  0 ; i < nl.getLength(); i++) {          Node  node  =  nl.item(i);          if  (node instanceof  Element) {             Element  ele  =  (Element) node;             if  (delegate.isDefaultNamespace(ele)) {                                          delegate.parseCustomElement(ele);                       }                    }                 }              }              else  {                 delegate.parseCustomElement(root);              }           }           通过NamespaceHandler策略模式,找到NamespaceHandler下接口实现MvcNamespaceHandler public  void  init ()  {       registerBeanDefinitionParser("annotation-driven" , new  AnnotationDrivenBeanDefinitionParser ());    } 进入AnnotationDrivenBeanDefinitionParser解析器,找到解析方法: public  BeanDefinition parse (Element element, ParserContext context)  {           RootBeanDefinition  handlerMappingDef  =  new  RootBeanDefinition (RequestMappingHandlerMapping.class);    handlerMappingDef.setSource(source);    handlerMappingDef.setRole(BeanDefinition.ROLE_INFRASTRUCTURE);    handlerMappingDef.getPropertyValues().add("order" , 0 );    handlerMappingDef.getPropertyValues().add("contentNegotiationManager" , contentNegotiationManager);    if  (element.hasAttribute("enable-matrix-variables" )) {       Boolean  enableMatrixVariables  =  Boolean.valueOf(element.getAttribute("enable-matrix-variables" ));       handlerMappingDef.getPropertyValues().add("removeSemicolonContent" , !enableMatrixVariables);    }    configurePathMatchingProperties(handlerMappingDef, element, context);    readerContext.getRegistry().registerBeanDefinition(HANDLER_MAPPING_BEAN_NAME, handlerMappingDef);    RuntimeBeanReference  corsRef  =  MvcNamespaceUtils.registerCorsConfigurations(null , context, source);    handlerMappingDef.getPropertyValues().add("corsConfigurations" , corsRef);    RuntimeBeanReference  conversionService  =  getConversionService(element, source, context);    RuntimeBeanReference  validator  =  getValidator(element, source, context);    RuntimeBeanReference  messageCodesResolver  =  getMessageCodesResolver(element);        RootBeanDefinition  bindingDef  =  new  RootBeanDefinition (ConfigurableWebBindingInitializer.class);    bindingDef.setSource(source);    bindingDef.setRole(BeanDefinition.ROLE_INFRASTRUCTURE);    bindingDef.getPropertyValues().add("conversionService" , conversionService);    bindingDef.getPropertyValues().add("validator" , validator);    bindingDef.getPropertyValues().add("messageCodesResolver" , messageCodesResolver);            RootBeanDefinition  handlerAdapterDef  =  new  RootBeanDefinition (RequestMappingHandlerAdapter.class);    handlerAdapterDef.setSource(source);    handlerAdapterDef.setRole(BeanDefinition.ROLE_INFRASTRUCTURE);    handlerAdapterDef.getPropertyValues().add("contentNegotiationManager" , contentNegotiationManager);    handlerAdapterDef.getPropertyValues().add("webBindingInitializer" , bindingDef);    handlerAdapterDef.getPropertyValues().add("messageConverters" , messageConverters);    addRequestBodyAdvice(handlerAdapterDef);    addResponseBodyAdvice(handlerAdapterDef);    if  (element.hasAttribute("ignore-default-model-on-redirect" )) {       Boolean  ignoreDefaultModel  =  Boolean.valueOf(element.getAttribute("ignore-default-model-on-redirect" ));       handlerAdapterDef.getPropertyValues().add("ignoreDefaultModelOnRedirect" , ignoreDefaultModel);    }    if  (argumentResolvers != null ) {       handlerAdapterDef.getPropertyValues().add("customArgumentResolvers" , argumentResolvers);    }    if  (returnValueHandlers != null ) {       handlerAdapterDef.getPropertyValues().add("customReturnValueHandlers" , returnValueHandlers);    }    if  (asyncTimeout != null ) {       handlerAdapterDef.getPropertyValues().add("asyncRequestTimeout" , asyncTimeout);    }    if  (asyncExecutor != null ) {       handlerAdapterDef.getPropertyValues().add("taskExecutor" , asyncExecutor);    }    handlerAdapterDef.getPropertyValues().add("callableInterceptors" , callableInterceptors);    handlerAdapterDef.getPropertyValues().add("deferredResultInterceptors" , deferredResultInterceptors);        context.registerComponent(new  BeanComponentDefinition (handlerMappingDef, HANDLER_MAPPING_BEAN_NAME));    context.registerComponent(new  BeanComponentDefinition (handlerAdapterDef, HANDLER_ADAPTER_BEAN_NAME));                MvcNamespaceUtils.registerDefaultComponents(context, source);    context.popAndRegisterContainingComponent();    return  null ; } 
接下来的事情我们都很清楚了,无非是根据Bean Definition实例化Bean,属性设置,后置处理器回调
而我们对于HandlerMapping,HandlerAdapter处理就在后置处理器中,我们以RequestMappingHandlerMapping为例,将断点打在此处:
 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 一直跟进到具体回调方法: public  void  afterPropertiesSet ()  {   initHandlerMethods(); }  protected  void  initHandlerMethods ()  {                 for  (String beanName : getCandidateBeanNames()) {             if  (!beanName.startsWith(SCOPED_TARGET_NAME_PREFIX)) {                                  processCandidateBean(beanName);             }         }         handlerMethodsInitialized(getHandlerMethods());     }  protected  void  processCandidateBean (String beanName)  {                 if  (beanType != null  && isHandler(beanType)) {                          detectHandlerMethods(beanName);         }     }  protected  void  detectHandlerMethods (Object handler)  {        Class<?> handlerType = (handler instanceof  String ?                 obtainApplicationContext().getType((String) handler) : handler.getClass());          if  (handlerType != null ) {             Class<?> userType = ClassUtils.getUserClass(handlerType);             Map<Method, T> methods = MethodIntrospector.selectMethods(userType,                     (MethodIntrospector.MetadataLookup<T>) method -> {                         try  {                             return  getMappingForMethod(method, userType);                         }                         catch  (Throwable ex) {                             throw  new  IllegalStateException ("Invalid mapping on handler class ["  +                                     userType.getName() + "]: "  + method, ex);                         }                     });             if  (logger.isTraceEnabled()) {                 logger.trace(formatMappings(userType, methods));             }             methods.forEach((method, mapping) -> {                 Method  invocableMethod  =  AopUtils.selectInvocableMethod(method, userType);                                  registerHandlerMethod(handler, invocableMethod, mapping);             });         }     } 
3.初始化 mvc 各个组件  当IOC容器实例完成初始化并设置属性依赖后,回调用finishRefresh方法进行广播,执行publishEvent方法触发监听事件,还记得前面注册到Web容器中的SourceFilteringListener监听器吗?这里会触发onApplicationEvent方法:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 public  void  onApplicationEvent (ApplicationEvent event)  {   if  (event.getSource() == this .source) {       onApplicationEventInternal(event);    } }  protected  void  onApplicationEventInternal (ApplicationEvent event)  {        if  (this .delegate == null ) {             throw  new  IllegalStateException (                     "Must specify a delegate object or override the onApplicationEventInternal method" );         }                           this .delegate.onApplicationEvent(event); } DispatchServlet继承了FrameworkServlet,重写了onRefresh方法,跟到 initStrategies方法: protected  void  initStrategies (ApplicationContext context)  {        initMultipartResolver(context);         initLocaleResolver(context);         initThemeResolver(context);         initHandlerMappings(context);         initHandlerAdapters(context);         initHandlerExceptionResolvers(context);         initRequestToViewNameTranslator(context);         initViewResolvers(context);         initFlashMapManager(context);     } 
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 文件上传解析器 private  void  initMultipartResolver (ApplicationContext context)  {   try  {                     this .multipartResolver = context.getBean(MULTIPART_RESOLVER_BEAN_NAME, MultipartResolver.class);        } 国际化解析器 private  void  initLocaleResolver (ApplicationContext context)  {   try  {                     this .localeResolver = context.getBean(LOCALE_RESOLVER_BEAN_NAME, LocaleResolver.class);        } 动态样式模板解析器 private  void  initThemeResolver (ApplicationContext context)  {   try  {                      this .themeResolver = context.getBean(THEME_RESOLVER_BEAN_NAME, ThemeResolver.class);        } 处理器映射器 private  void  initHandlerMappings (ApplicationContext context)  {   this .handlerMappings = null ;    if  (this .detectAllHandlerMappings) {                     Map<String, HandlerMapping> matchingBeans =             BeanFactoryUtils.beansOfTypeIncludingAncestors(context, HandlerMapping.class, true , false );              if  (!matchingBeans.isEmpty()) {                    this .handlerMappings = new  ArrayList <>(matchingBeans.values());                    AnnotationAwareOrderComparator.sort(this .handlerMappings);       }    } 	 } 处理器适配器 private  void  initHandlerAdapters (ApplicationContext context)  {   this .handlerAdapters = null ;    if  (this .detectAllHandlerAdapters) {              Map<String, HandlerAdapter> matchingBeans =             BeanFactoryUtils.beansOfTypeIncludingAncestors(context, HandlerAdapter.class, true , false );       if  (!matchingBeans.isEmpty()) {          this .handlerAdapters = new  ArrayList <>(matchingBeans.values());                    AnnotationAwareOrderComparator.sort(this .handlerAdapters);       }    }    } 
4.请求的执行 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 FrameworkServlet重写了父类HttpServletBean的doGet,doPost方法 	 	protected  final  void  doPost (HttpServletRequest request, HttpServletResponse response)  			throws  ServletException, IOException { 		processRequest(request, response); 	} protected  final  void  processRequest (HttpServletRequest request, HttpServletResponse response) 			throws  ServletException, IOException { 		 		try  { 			 			doService(request, response); 		} 		 	} DispatchServlet又重写了父类doService方法: protected  void  doService (HttpServletRequest request, HttpServletResponse response)  throws  Exception {		 		try  {               			doDispatch(request, response); 		} 		 	} 
这也是整个MVC核心方法:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 	 	protected  void  doDispatch (HttpServletRequest request, HttpServletResponse response)  throws  Exception { 		HttpServletRequest  processedRequest  =  request; 		HandlerExecutionChain  mappedHandler  =  null ; 		boolean  multipartRequestParsed  =  false ; 		WebAsyncManager  asyncManager  =  WebAsyncUtils.getAsyncManager(request); 		try  { 			ModelAndView  mv  =  null ; 			Exception  dispatchException  =  null ; 			try  { 				 				processedRequest = checkMultipart(request); 				multipartRequestParsed = (processedRequest != request); 				 				 				mappedHandler = getHandler(processedRequest); 				 				if  (mappedHandler == null ) { 					noHandlerFound(processedRequest, response); 					return ; 				} 				 				HandlerAdapter  ha  =  getHandlerAdapter(mappedHandler.getHandler()); 				 				String  method  =  request.getMethod(); 				boolean  isGet  =  "GET" .equals(method); 				if  (isGet || "HEAD" .equals(method)) { 					long  lastModified  =  ha.getLastModified(request, mappedHandler.getHandler()); 					if  (new  ServletWebRequest (request, response).checkNotModified(lastModified) && isGet) { 						return ; 					} 				} 				 				if  (!mappedHandler.applyPreHandle(processedRequest, response)) { 					return ; 				} 				 				mv = ha.handle(processedRequest, response, mappedHandler.getHandler()); 				if  (asyncManager.isConcurrentHandlingStarted()) { 					return ; 				} 				 				applyDefaultViewName(processedRequest, mv); 				 				mappedHandler.applyPostHandle(processedRequest, response, mv); 			} 			catch  (Exception ex) { 				dispatchException = ex; 			} 			catch  (Throwable err) { 				 				 				dispatchException = new  NestedServletException ("Handler dispatch failed" , err); 			} 			 			processDispatchResult(processedRequest, response, mappedHandler, mv, dispatchException); 		} 		catch  (Exception ex) { 			triggerAfterCompletion(processedRequest, response, mappedHandler, ex); 		} 		catch  (Throwable err) { 			triggerAfterCompletion(processedRequest, response, mappedHandler, 					new  NestedServletException ("Handler processing failed" , err)); 		} 		finally  { 			if  (asyncManager.isConcurrentHandlingStarted()) { 				 				if  (mappedHandler != null ) { 					mappedHandler.applyAfterConcurrentHandlingStarted(processedRequest, response); 				} 			} 			else  { 				 				if  (multipartRequestParsed) { 					cleanupMultipart(processedRequest); 				} 			} 		} 	} 
getHandler(processedRequest)方法实际上就是从HandlerMapping中找到url和controller的对应关系。这也就是之前在初始化MVC组件建立Map<url,Controller>的意义。我们知道,最终处理request的是controller中的方法,我们现在只是知道了controller,还要进一步确认controller中处理request的方法。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 protected  HandlerExecutionChain getHandler (HttpServletRequest request)  throws  Exception {   if  (this .handlerMappings != null ) {              for  (HandlerMapping mapping : this .handlerMappings) {          HandlerExecutionChain  handler  =  mapping.getHandler(request);          if  (handler != null ) {             return  handler;          }       }    }    return  null ; } public  final  HandlerExecutionChain getHandler (HttpServletRequest request)  throws  Exception {		 		Object  handler  =  getHandlerInternal(request); 		if  (handler == null ) { 			handler = getDefaultHandler(); 		} 		if  (handler == null ) { 			return  null ; 		} 		 		if  (handler instanceof  String) { 			String  handlerName  =  (String) handler; 			handler = obtainApplicationContext().getBean(handlerName); 		} 		 		HandlerExecutionChain  executionChain  =  getHandlerExecutionChain(handler, request); 		 } protected  HandlerMethod getHandlerInternal (HttpServletRequest request)  throws  Exception {		request.removeAttribute(PRODUCIBLE_MEDIA_TYPES_ATTRIBUTE); 		try  {               			return  super .getHandlerInternal(request); 		} 		finally  { 			ProducesRequestCondition.clearMediaTypesAttribute(request); 		} 	} protected  HandlerMethod getHandlerInternal (HttpServletRequest request)  throws  Exception {    	 		String  lookupPath  =  getUrlPathHelper().getLookupPathForRequest(request); 		request.setAttribute(LOOKUP_PATH, lookupPath); 		this .mappingRegistry.acquireReadLock(); 		try  {              			HandlerMethod  handlerMethod  =  lookupHandlerMethod(lookupPath, request);              			return  (handlerMethod != null  ? handlerMethod.createWithResolvedBean() : null ); 		} 		finally  { 			this .mappingRegistry.releaseReadLock(); 		} 	} protected  HandlerMethod lookupHandlerMethod (String lookupPath, HttpServletRequest request)  throws  Exception {		List<Match> matches = new  ArrayList <>(); 		List<T> directPathMatches = this .mappingRegistry.getMappingsByUrl(lookupPath); 		if  (directPathMatches != null ) { 			addMatchingMappings(directPathMatches, matches, request); 		} 		if  (matches.isEmpty()) { 			 			addMatchingMappings(this .mappingRegistry.getMappings().keySet(), matches, request); 		} 		if  (!matches.isEmpty()) {               			Match  bestMatch  =  matches.get(0 ); 			if  (matches.size() > 1 ) { 				 			} 			request.setAttribute(BEST_MATCHING_HANDLER_ATTRIBUTE, bestMatch.handlerMethod); 			handleMatch(bestMatch.mapping, lookupPath, request);               			return  bestMatch.handlerMethod; 		} 		else  { 			return  handleNoMatch(this .mappingRegistry.getMappings().keySet(), lookupPath, request); 		} 	} protected  HandlerExecutionChain getHandlerExecutionChain (Object handler, HttpServletRequest request)  {		 		HandlerExecutionChain  chain  =  (handler instanceof  HandlerExecutionChain ? 				(HandlerExecutionChain) handler : new  HandlerExecutionChain (handler)); 		 		String  lookupPath  =  this .urlPathHelper.getLookupPathForRequest(request, LOOKUP_PATH); 		for  (HandlerInterceptor interceptor : this .adaptedInterceptors) { 			 			if  (interceptor instanceof  MappedInterceptor) { 				MappedInterceptor  mappedInterceptor  =  (MappedInterceptor) interceptor; 				 				if  (mappedInterceptor.matches(lookupPath, this .pathMatcher)) { 					chain.addInterceptor(mappedInterceptor.getInterceptor()); 				} 			} 			else  { 				chain.addInterceptor(interceptor); 			} 		} 		return  chain; 	} 
(1)过滤器:
(2)拦截器:
获取请求处理适配器
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 Spring定义了一个适配接口,使得每一种Controller有一种对应的适配器实现类,让适配器代替Controller执行相应的方法。这样在扩展Controller 时,只需要增加一个适配器类就完成了SpringMVC的扩展了 protected  HandlerAdapter getHandlerAdapter (Object handler)  throws  ServletException {   if  (this .handlerAdapters != null ) {              for  (HandlerAdapter adapter : this .handlerAdapters) {          if  (adapter.supports(handler)) {             return  adapter;          }       }    }     } 
 MVC过滤器前置处理
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 boolean  applyPreHandle (HttpServletRequest request, HttpServletResponse response)  throws  Exception {   HandlerInterceptor[] interceptors = getInterceptors();    if  (!ObjectUtils.isEmpty(interceptors)) {       for  (int  i  =  0 ; i < interceptors.length; i++) {          HandlerInterceptor  interceptor  =  interceptors[i];                     if  (!interceptor.preHandle(request, response, this .handler)) {             triggerAfterCompletion(request, response, null );             return  false ;          }          this .interceptorIndex = i;       }    }    return  true ; } 
反射调用返回结果视图
根据url确定Controller中处理请求的方法,然后通过反射获取该方法上的注解和参数,解析方法和参数上的注解,最后反射调用方法获取ModelAndView结果视图。因为上面采用注解url形式说明的,所以我们这里继续以注解处理器适配器来说明。调用的就是HandlerAdapter的handle(),适配器子类RequestMappingHandlerAdapter.handle()中的核心逻辑由invokeHandlerMethod(request, response, handler)实现。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 protected  ModelAndView handleInternal (HttpServletRequest request,                              HttpServletResponse response, HandlerMethod handlerMethod)  throws  Exception {   ModelAndView mav;    checkRequest(request);        if  (this .synchronizeOnSession) {       HttpSession  session  =  request.getSession(false );       if  (session != null ) {          Object  mutex  =  WebUtils.getSessionMutex(session);          synchronized  (mutex) {             mav = invokeHandlerMethod(request, response, handlerMethod);          }       }       else  {                    mav = invokeHandlerMethod(request, response, handlerMethod);       }    }    else  {              mav = invokeHandlerMethod(request, response, handlerMethod);    }    } protected  ModelAndView invokeHandlerMethod (HttpServletRequest request, 			HttpServletResponse response, HandlerMethod handlerMethod)  throws  Exception {		ServletWebRequest  webRequest  =  new  ServletWebRequest (request, response); 		try  {              			 			invocableMethod.invokeAndHandle(webRequest, mavContainer); 			if  (asyncManager.isConcurrentHandlingStarted()) { 				return  null ; 			}              			return  getModelAndView(mavContainer, modelFactory, webRequest); 		} 		finally  { 			webRequest.requestCompleted(); 		} 	} private  ModelAndView getModelAndView (ModelAndViewContainer mavContainer, 										 ModelFactory modelFactory, NativeWebRequest webRequest)  throws  Exception {		modelFactory.updateModel(webRequest, mavContainer); 		if  (mavContainer.isRequestHandled()) { 			return  null ; 		} 		ModelMap  model  =  mavContainer.getModel(); 		ModelAndView  mav  =  new  ModelAndView (mavContainer.getViewName(), model, mavContainer.getStatus()); 		if  (!mavContainer.isViewReference()) { 			mav.setView((View) mavContainer.getView()); 		} 		if  (model instanceof  RedirectAttributes) { 			Map<String, ?> flashAttributes = ((RedirectAttributes) model).getFlashAttributes(); 			HttpServletRequest  request  =  webRequest.getNativeRequest(HttpServletRequest.class); 			if  (request != null ) { 				RequestContextUtils.getOutputFlashMap(request).putAll(flashAttributes); 			} 		} 		return  mav; 	} protected  Object doInvoke (Object... args)  throws  Exception {		ReflectionUtils.makeAccessible(getBridgedMethod()); 		try  { 			 			return  getBridgedMethod().invoke(getBean(), args); 		} 		 	} 
通过上面的代码,已经可以找到处理request的Controller中的方法了,现在看如何解析该方法上的参数,并调用该方法。也就是执行方法这一步。执行方法这一步最重要的就是获取方法的参数,然后我们就可以反射调用方法了。
SpringMVC中提供两种request参数到方法中参数的绑定方式:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 protected  Object[] getMethodArgumentValues(NativeWebRequest request, @Nullable  ModelAndViewContainer mavContainer,			Object... providedArgs) throws  Exception { 		MethodParameter[] parameters = getMethodParameters(); 		if  (ObjectUtils.isEmpty(parameters)) { 			return  EMPTY_ARGS; 		} 		Object[] args = new  Object [parameters.length]; 		for  (int  i  =  0 ; i < parameters.length; i++) { 			MethodParameter  parameter  =  parameters[i]; 			parameter.initParameterNameDiscovery(this .parameterNameDiscoverer); 			args[i] = findProvidedArgument(parameter, providedArgs); 			if  (args[i] != null ) { 				continue ; 			} 			if  (!this .resolvers.supportsParameter(parameter)) { 				throw  new  IllegalStateException (formatArgumentError(parameter, "No suitable resolver" )); 			} 			try  { 				args[i] = this .resolvers.resolveArgument(parameter, mavContainer, request, this .dataBinderFactory); 			} 			catch  (Exception ex) { 				 				if  (logger.isDebugEnabled()) { 					String  exMsg  =  ex.getMessage(); 					if  (exMsg != null  && !exMsg.contains(parameter.getExecutable().toGenericString())) { 						logger.debug(formatArgumentError(parameter, exMsg)); 					} 				} 				throw  ex; 			} 		} 		return  args; 	}