SpringBoot的核心注解@SpringBootApplication
@Target




    
(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Inherited
@SpringBootConfiguration
@EnableAutoConfiguration
@ComponentScan(excludeFilters = { @Filter(type = FilterType.CUSTOM, classes = TypeExcludeFilter.class),
      @Filter(type = FilterType.CUSTOM, classes = AutoConfigurationExcludeFilter.class) })
public @interface SpringBootApplication {
 

@SpringBootApplication是由@SpringBootConfiguration、@EnableAutoConfiguration、@ComponentScan合成的

@SpringBootConfiguration
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Configuration
public @interface SpringBootConfiguration {

@SpringBootConfiguration表示就是一个配置类

@ComponentScan
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.TYPE)
@Documented
@Repeatable(ComponentScans.class)
public @interface ComponentScan {

@ComponentScan就是spring中的包扫描注解

@EnableAutoConfiguration
@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Inherited
@AutoConfigurationPackage
@Import(AutoConfigurationImportSelector.class)
public @interface EnableAutoConfiguration {
  1. @AutoConfigurationPackage

    @Target(ElementType.TYPE)
    @Retention(RetentionPolicy.RUNTIME)
    @Documented
    @Inherited
    @Import(AutoConfigurationPackages.Registrar.class) //给容器导入一个组件
    public @interface AutoConfigurationPackage {
    
    static class Registrar implements ImportBeanDefinitionRegistrar, DeterminableImports {
       @Override
       public void registerBeanDefinitions(AnnotationMetadata metadata, BeanDefinitionRegistry registry) {
           //将当前主程序指定的包名注册进来
          register(registry, new PackageImports(metadata).getPackageNames().toArray(new String[0]));
    
  2. @Import(AutoConfigurationImportSelector.class)

    @Override
    public String[] selectImports(AnnotationMetadata annotationMetadata) {
       if (!isEnabled(annotationMetadata)) {
          return NO_IMPORTS;
        //给容器导入组件
       AutoConfigurationEntry autoConfigurationEntry = getAutoConfigurationEntry(annotationMetadata);
       return StringUtils.toStringArray(autoConfigurationEntry.getConfigurations());
    
    //获取到所有需要导入的组件
    List<String> configurations = getCandidateConfigurations(annotationMetadata, attributes);
      List<String> configurations = SpringFactoriesLoader.loadFactoryNames(getSpringFactoriesLoaderFactoryClass(),
    				getBeanClassLoader());
        return loadSpringFactories(classLoaderToUse).getOrDefault(factoryTypeName, Collections.emptyList());
        //得到所有的组件
        private static Map<String, List<String>> loadSpringFactories(ClassLoader classLoader) {
    
    public static final String FACTORIES_RESOURCE_LOCATION = "META-INF/spring.factories";
    //从META-INF/spring.factories中加载
    //默认扫描我们当前系统里面所有META-INF/spring.factories位置的文件
    Enumeration<URL> urls = classLoader.getResources(FACTORIES_RESOURCE_LOCATION);
       

    spring-boot-autoconfigure-2.4.2.jar下META-INF/spring.factories中写死了springboot一启动就要给容器中加载的所有配置类

    # Auto Configure
    org.springframework.boot.autoconfigure.EnableAutoConfiguration=\
    org.springframework.boot.autoconfigure.admin.SpringApplicationAdminJmxAutoConfiguration,\
    org.springframework.boot.autoconfigure.aop.AopAutoConfiguration,\
    org.springframework.boot.autoconfigure.amqp.RabbitAutoConfiguration,\
    org.springframework.boot.autoconfigure.batch.BatchAutoConfiguration,\
    org.springframework.boot.autoconfigure.cache.CacheAutoConfiguration,\
    org.springframework.boot.autoconfigure.cassandra.CassandraAutoConfiguration,\
    org.springframework.boot.autoconfigure.context.ConfigurationPropertiesAutoConfiguration,\
    org.springframework.boot.autoconfigure.context.LifecycleAutoConfiguration,\
    org.springframework.boot.autoconfigure.context.MessageSourceAutoConfiguration,\
    org.springframework.boot.autoconfigure.context.PropertyPlaceholderAutoConfiguration,\
    org.springframework.boot.autoconfigure.couchbase.CouchbaseAutoConfiguration,\
    org.springframework.boot.autoconfigure.dao.PersistenceExceptionTranslationAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.cassandra.CassandraDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.cassandra.CassandraReactiveDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.cassandra.CassandraReactiveRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.cassandra.CassandraRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.couchbase.CouchbaseDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.couchbase.CouchbaseReactiveDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.couchbase.CouchbaseReactiveRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.couchbase.CouchbaseRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.elasticsearch.ElasticsearchDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.elasticsearch.ElasticsearchRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.elasticsearch.ReactiveElasticsearchRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.elasticsearch.ReactiveElasticsearchRestClientAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.jdbc.JdbcRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.jpa.JpaRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.ldap.LdapRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.mongo.MongoDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.mongo.MongoReactiveDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.mongo.MongoReactiveRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.mongo.MongoRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.neo4j.Neo4jDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.neo4j.Neo4jReactiveDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.neo4j.Neo4jReactiveRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.neo4j.Neo4jRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.solr.SolrRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.r2dbc.R2dbcDataAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.r2dbc.R2dbcRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.redis.RedisAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.redis.RedisReactiveAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.redis.RedisRepositoriesAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.rest.RepositoryRestMvcAutoConfiguration,\
    org.springframework.boot.autoconfigure.data.web.SpringDataWebAutoConfiguration,\
    org.springframework.boot.autoconfigure.elasticsearch.ElasticsearchRestClientAutoConfiguration,\
    org.springframework.boot.autoconfigure.flyway.FlywayAutoConfiguration,\
    org.springframework.boot.autoconfigure.freemarker.FreeMarkerAutoConfiguration,\
    org.springframework.boot.autoconfigure.groovy.template.GroovyTemplateAutoConfiguration,\
    org.springframework.boot.autoconfigure.gson.GsonAutoConfiguration,\
    org.springframework.boot.autoconfigure.h2.H2ConsoleAutoConfiguration,\
    org.springframework.boot.autoconfigure.hateoas.HypermediaAutoConfiguration,\
    org.springframework.boot.autoconfigure.hazelcast.HazelcastAutoConfiguration,\
    org.springframework.boot.autoconfigure.hazelcast.HazelcastJpaDependencyAutoConfiguration,\
    org.springframework.boot.autoconfigure.http.HttpMessageConvertersAutoConfiguration,\
    org.springframework.boot.autoconfigure.http.codec.CodecsAutoConfiguration,\
    org.springframework.boot.autoconfigure.influx.InfluxDbAutoConfiguration,\
    org.springframework.boot.autoconfigure.info.ProjectInfoAutoConfiguration,\
    org.springframework.boot.autoconfigure.integration.IntegrationAutoConfiguration,\
    org.springframework.boot.autoconfigure.jackson.JacksonAutoConfiguration,\
    org.springframework.boot.autoconfigure.jdbc.DataSourceAutoConfiguration,\
    org.springframework.boot.autoconfigure.jdbc.JdbcTemplateAutoConfiguration,\
    org.springframework.boot.autoconfigure.jdbc.JndiDataSourceAutoConfiguration,\
    org.springframework.boot.autoconfigure.jdbc.XADataSourceAutoConfiguration,\
    org.springframework.boot.autoconfigure.jdbc.DataSourceTransactionManagerAutoConfiguration,\
    org.springframework.boot.autoconfigure.jms.JmsAutoConfiguration,\
    org.springframework.boot.autoconfigure.jmx.JmxAutoConfiguration,\
    org.springframework.boot.autoconfigure.jms.JndiConnectionFactoryAutoConfiguration,\
    org.springframework.boot.autoconfigure.jms.activemq.ActiveMQAutoConfiguration,\
    org.springframework.boot.autoconfigure.jms.artemis.ArtemisAutoConfiguration,\
    org.springframework.boot.autoconfigure.jersey.JerseyAutoConfiguration,\
    org.springframework.boot.autoconfigure.jooq.JooqAutoConfiguration,\
    org.springframework.boot.autoconfigure.jsonb.JsonbAutoConfiguration,\
    org.springframework.boot.autoconfigure.kafka.KafkaAutoConfiguration,\
    org.springframework.boot.autoconfigure.availability.ApplicationAvailabilityAutoConfiguration,\
    org.springframework.boot.autoconfigure.ldap.embedded.EmbeddedLdapAutoConfiguration,\
    org.springframework.boot.autoconfigure.ldap.LdapAutoConfiguration,\
    org.springframework.boot.autoconfigure.liquibase.LiquibaseAutoConfiguration,\
    org.springframework.boot.autoconfigure.mail.MailSenderAutoConfiguration,\
    org.springframework.boot.autoconfigure.mail.MailSenderValidatorAutoConfiguration,\
    org.springframework.boot.autoconfigure.mongo.embedded.EmbeddedMongoAutoConfiguration,\
    org.springframework.boot.autoconfigure.mongo.MongoAutoConfiguration,\
    org.springframework.boot.autoconfigure.mongo.MongoReactiveAutoConfiguration,\
    org.springframework.boot.autoconfigure.mustache.MustacheAutoConfiguration,\
    org.springframework.boot.autoconfigure.neo4j.Neo4jAutoConfiguration,\
    org.springframework.boot.autoconfigure.orm.jpa.HibernateJpaAutoConfiguration,\
    org.springframework.boot.autoconfigure.quartz.QuartzAutoConfiguration,\
    org.springframework.boot.autoconfigure.r2dbc.R2dbcAutoConfiguration,\
    org.springframework.boot.autoconfigure.r2dbc.R2dbcTransactionManagerAutoConfiguration,\
    org.springframework.boot.autoconfigure.rsocket.RSocketMessagingAutoConfiguration,\
    org.springframework.boot.autoconfigure.rsocket.RSocketRequesterAutoConfiguration,\
    org.springframework.boot.autoconfigure.rsocket.RSocketServerAutoConfiguration,\
    org.springframework.boot.autoconfigure.rsocket.RSocketStrategiesAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.servlet.SecurityAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.servlet.UserDetailsServiceAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.servlet.SecurityFilterAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.reactive.ReactiveSecurityAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.reactive.ReactiveUserDetailsServiceAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.rsocket.RSocketSecurityAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.saml2.Saml2RelyingPartyAutoConfiguration,\
    org.springframework.boot.autoconfigure.sendgrid.SendGridAutoConfiguration,\
    org.springframework.boot.autoconfigure.session.SessionAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.oauth2.client.servlet.OAuth2ClientAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.oauth2.client.reactive.ReactiveOAuth2ClientAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.oauth2.resource.servlet.OAuth2ResourceServerAutoConfiguration,\
    org.springframework.boot.autoconfigure.security.oauth2.resource.reactive.ReactiveOAuth2ResourceServerAutoConfiguration,\
    org.springframework.boot.autoconfigure.solr.SolrAutoConfiguration,\
    org.springframework.boot.autoconfigure.task.TaskExecutionAutoConfiguration,\
    org.springframework.boot.autoconfigure.task.TaskSchedulingAutoConfiguration,\
    org.springframework.boot.autoconfigure.thymeleaf.ThymeleafAutoConfiguration,\
    org.springframework.boot.autoconfigure.transaction.TransactionAutoConfiguration,\
    org.springframework.boot.autoconfigure.transaction.jta.JtaAutoConfiguration,\
    org.springframework.boot.autoconfigure.validation.ValidationAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.client.RestTemplateAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.embedded.EmbeddedWebServerFactoryCustomizerAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.HttpHandlerAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.ReactiveWebServerFactoryAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.WebFluxAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.error.ErrorWebFluxAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.function.client.ClientHttpConnectorAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.reactive.function.client.WebClientAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.DispatcherServletAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.ServletWebServerFactoryAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.error.ErrorMvcAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.HttpEncodingAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.MultipartAutoConfiguration,\
    org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration,\
    org.springframework.boot.autoconfigure.websocket.reactive.WebSocketReactiveAutoConfiguration,\
    org.springframework.boot.autoconfigure.websocket.servlet.WebSocketServletAutoConfiguration,\
    org.springframework.boot.autoconfigure.websocket.servlet.WebSocketMessagingAutoConfiguration,\
    org.springframework.boot.autoconfigure.webservices.WebServicesAutoConfiguration,\
    org.springframework.boot.autoconfigure.webservices.client.WebServiceTemplateAutoConfiguration
    

    静态资源配置原理

    SpringMVC功能的自动配置类WebMvcAutoConfiguration

    //默认是生效的
    @Configuration(proxyBeanMethods = false)
    @ConditionalOnWebApplication(type = Type.SERVLET)
    @ConditionalOnClass({ Servlet.class, DispatcherServlet.class, WebMvcConfigurer.class })
    @ConditionalOnMissingBean(WebMvcConfigurationSupport.class)
    @AutoConfigureOrder(Ordered.HIGHEST_PRECEDENCE + 10)
    @AutoConfigureAfter({ DispatcherServletAutoConfiguration.class, TaskExecutionAutoConfiguration.class,
    		ValidationAutoConfiguration.class })
    public class WebMvcAutoConfiguration {
    
    //配置文件的相关属性和xxx进行了绑定
    //WebMvcProperties==spring.mvc,ResourceProperties==spring.resources,WebProperties==spring.web
    @SuppressWarnings("deprecation")
    	@Configuration(proxyBeanMethods = false)
    	@Import(EnableWebMvcConfiguration.class)
    	@EnableConfigurationProperties({ WebMvcProperties.class,
    			org.springframework.boot.autoconfigure.web.ResourceProperties.class, WebProperties.class })
    	@Order(0)
    	public static class WebMvcAutoConfigurationAdapter implements WebMvcConfigurer {
    
    //配置类只有一个有参构造器,所有参数的值都会从容器中找
    public WebMvcAutoConfigurationAdapter(WebProperties webProperties, WebMvcProperties mvcProperties,
    				ListableBeanFactory beanFactory, ObjectProvider<HttpMessageConverters> messageConvertersProvider,
    				ObjectProvider<ResourceHandlerRegistrationCustomizer> resourceHandlerRegistrationCustomizerProvider,
    				ObjectProvider<DispatcherServletPath> dispatcherServletPath,
    				ObjectProvider<ServletRegistrationBean<?>> servletRegistrations) {
    			this.mvcProperties = mvcProperties;
    			this.beanFactory = beanFactory;
    			this.messageConvertersProvider = messageConvertersProvider;
    			this.resourceHandlerRegistrationCustomizer = resourceHandlerRegistrationCustomizerProvider.getIfAvailable();
    			this.dispatcherServletPath = dispatcherServletPath;
    			this.servletRegistrations = servletRegistrations;
    			this.mvcProperties.checkConfiguration();
    
    资源处理的默认规则
    # 禁用所有静态资源规则
    spring:
      web:
        resources:
          add-mappings: false
    
    		@Override
    		protected void addResourceHandlers(ResourceHandlerRegistry registry) {
    			super.addResourceHandlers(registry);
    			if (!this.resourceProperties.isAddMappings()) {
    				logger.debug("Default resource handling disabled");
    				return;
    			ServletContext servletContext = getServletContext();
                //webjars的规则
    			addResourceHandler(registry, "/webjars/**", "classpath:/META-INF/resources/webjars/");
                //静态资源的处理规则
    			addResourceHandler(registry, this.mvcProperties.getStaticPathPattern(), (registration) -> {
                 //this.resourceProperties.
    
    
    
    
        
    getStaticLocations()得到默认的静态资源配置位置
    		registration.addResourceLocations(this.resourceProperties.getStaticLocations());
    				if (servletContext != null) {
    					registration.addResourceLocations(new ServletContextResource(servletContext, SERVLET_LOCATION));
    			});
    
    public static class Resources {
       //默认的静态资源配置位置
       private static final String[] CLASSPATH_RESOURCE_LOCATIONS = { "classpath:/META-INF/resources/",
             "classpath:/resources/", "classpath:/static/", "classpath:/public/" };
        * Locations of static resources. Defaults to classpath:[/META-INF/resources/,
        * /resources/, /static/, /public/].
       private String[] staticLocations = CLASSPATH_RESOURCE_LOCATIONS;
    
    欢迎页的处理规则
    //HandlerMapping:处理器映射。保存了每个Handler能处理哪些请求		
    @Bean
    		public WelcomePageHandlerMapping welcomePageHandlerMapping(ApplicationContext applicationContext,
    				FormattingConversionService mvcConversionService, ResourceUrlProvider mvcResourceUrlProvider) {
                //创建WelcomePageHandlerMapping的时候说明了
    			WelcomePageHandlerMapping welcomePageHandlerMapping = new WelcomePageHandlerMapping(
    					new TemplateAvailabilityProviders(applicationContext), applicationContext, getWelcomePage(),
    					this.mvcProperties.getStaticPathPattern());
    			welcomePageHandlerMapping.setInterceptors(getInterceptors(mvcConversionService, mvcResourceUrlProvider));
    			welcomePageHandlerMapping.setCorsConfigurations(getCorsConfigurations());
    			return welcomePageHandlerMapping;
    
    WelcomePageHandlerMapping(TemplateAvailabilityProviders templateAvailabilityProviders,
    			ApplicationContext applicationContext, Resource welcomePage, String staticPathPattern) {
    		if (welcomePage != null && "/**".equals(staticPathPattern)) {
                //要用欢迎页功能,必须是/**
    			logger.info("Adding welcome page: " + welcomePage);
    			setRootViewName("forward:index.html");
    		else if (welcomeTemplateExists(templateAvailabilityProviders, applicationContext)) {		
                //调用Controller
    			logger.info("Adding welcome page template: index");
    			setRootViewName("index");
    
    Rest风格(使用HTTP请求方式动词来表示对资源的操作)
    	@Bean
    	@ConditionalOnMissingBean(HiddenHttpMethodFilter.class)
    	//默认不是开启的
    	@ConditionalOnProperty(prefix = "spring.mvc.hiddenmethod.filter", name = "enabled", matchIfMissing = false)
    	public OrderedHiddenHttpMethodFilter hiddenHttpMethodFilter() {
    		return new OrderedHiddenHttpMethodFilter();
    
    # 开区Rest风格功能
    spring:
      mvc:
        hiddenmethod:
          filter:
            enabled: true
    
    Rest风格原理(表单提交)
    • 表单提交会带上_method=PUT(DELETE)
    • 请求过来被HiddenHttpMethodFilter拦截
      • 请求是否正常,并且是POST
      • 获取到_method的值
      • 兼容以下请求:PUT、DELETE、PATCH
      • 原生request(post),包装模式requestWrapper重写了getMethod()方法,返回的是传入的值
      • 过滤器链放行的时候用的是wrapper,以后方法调用getMethod()是调用requestWrapper的
    public class HiddenHttpMethodFilter extends OncePerRequestFilter {
    	private static final List<String> ALLOWED_METHODS =
    			Collections.unmodifiableList(Arrays.asList(HttpMethod.PUT.name(),
    					HttpMethod.DELETE.name(), HttpMethod.PATCH.name()));
    	/** Default method parameter: {@code _method}. */
    	public static final String DEFAULT_METHOD_PARAM = "_method";
        @Override
    	protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain)
    			throws ServletException, IOException {
    		HttpServletRequest requestToUse = request;
    		//表单提交的时候方式必须是POST
    		if ("POST".equals(request.getMethod()) && request.getAttribute(WebUtils.ERROR_EXCEPTION_ATTRIBUTE) == null) {
                //获取到_method的值
    			String paramValue = request.getParameter(this.methodParam);
    			if (StringUtils.hasLength(paramValue)) {
    				String method = paramValue.toUpperCase(Locale.ENGLISH);
                    //允许以下请求PUT、DELETE、PATCH
                    //private static final List<String> ALLOWED_METHODS =Collections.unmodifiableList(Arrays.asList(HttpMethod.PUT.name(),HttpMethod.DELETE.name(), HttpMethod.PATCH.name()));
    				if (ALLOWED_METHODS.contains(method)) {
                        //这里包装成了HttpMethodRequestWrapper
    					requestToUse = new HttpMethodRequestWrapper(request, method);
    		filterChain.doFilter(requestToUse, response);
    
    请求映射原理
    HttpServlet doGet()doPost()
        ->FrameworkServlet重写了HttpServlet中的doGet()doPost(),其中都是调用processRequest(request, response);
    		->doService(request, response)
    
    
    
    
        
    抽象方法
                ->DispatcherServlet实现了doService(request, response)方法
                	->doDispatch(request, response);
    
    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);
    				// Determine handler for the current request.
                     // 寻找当前请求使用哪个handler(controller)来处理
    				mappedHandler = getHandler(processedRequest);
    
    	@Nullable
    	protected HandlerExecutionChain getHandler(HttpServletRequest request) throws Exception {
    		if (this.handlerMappings != null) {
                //遍历所有的handlerMappings
    			for (HandlerMapping mapping : this.handlerMappings) {
                    //得到对应的handler
    				HandlerExecutionChain handler = mapping.getHandler(request);
    				if (handler != null) {
    					return handler;
    		return null;
    
    • SpringBoot自动配置了欢迎页的WelcomePageHandlerMapping。访问/能访问到index.html
    • SpringBoot自动配置了默认的RequestMappingHandlerMapping。
    • 请求进来,挨个尝试所有的HandlerMapping看是否有请求信息
      • 如果有就找到这个请求对应的Handler
      • 如果没有就是下一个HandlerMapping
    • 我们需要一些自定义的映射处理,也可以给容器中放置HandlerMapping

    请求参数处理

    请求参数处理原理
        protected void doDispatch(HttpServletRequest request, HttpServletResponse response) throws Exception {
            // 寻找当前请求使用哪个handler(controller)来处理
            mappedHandler = getHandler(processedRequest);
            // 为当前Handler找到一个适配器
            //RequestMappingHandlerAdapter
            //HandlerFunctionAdapter
            //HttpRequestHandlerAdapter
            //SimpleControllerHandlerAdapter
            HandlerAdapter ha = getHandlerAdapter(mappedHandler.getHandler());
            //执行目标方法
            mv = ha.handle(processedRequest, response, mappedHandler.getHandler());
    
    protected HandlerAdapter getHandlerAdapter(Object handler) throws ServletException {
    		if (this.handlerAdapters != null) {
                //便利所有的handlerAdapters
    			for (HandlerAdapter adapter : this.handlerAdapters) {
    				if (adapter.supports(handler)) {
    					return adapter;
    		throw new ServletException("No adapter for handler [" + handler +
    				"]: The DispatcherServlet configuration needs to include a HandlerAdapter that supports this handler");
    
    //执行链
    mv = ha.handle(processedRequest, response, mappedHandler.getHandler());
    	->return handleInternal(request, response, (HandlerMethod) handler);
    		->mav = invokeHandlerMethod(request, response, handlerMethod);
    			->invocableMethod.invokeAndHandle(webRequest, mavContainer);
    				//真正执行目标方法
    				->Object returnValue = invokeForRequest(webRequest, mavContainer, providedArgs);
    					//获取方法所有的参数值
    					->Object[] args = getMethodArgumentValues(request, mavContainer, providedArgs);
    						//利用反射执行方法
    						->return doInvoke(args);
    
    参数解析器:确定将要执行的目标方法的每一个参数的值是什么

    SpringMVC目标方法能写多少种参数类型,取决于参数解析器

    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) {
    				// Leave stack trace for later, exception may actually be resolved and handled...
    				if (logger.isDebugEnabled()) {
    					String exMsg = ex.getMessage();
    					if (exMsg != null && !exMsg.contains(parameter.getExecutable().toGenericString())) {
    						logger.debug(formatArgumentError(parameter, exMsg));
    				throw ex;
    		return args;
    
    //挨个判断所有参数解析器哪个支持解析当前参数
    private HandlerMethodArgumentResolver getArgumentResolver(MethodParameter parameter) {
    		HandlerMethodArgumentResolver result = this.argumentResolverCache.get(parameter);
    		if (result == null) {
    			for (HandlerMethodArgumentResolver resolver : this.argumentResolvers) {
    				if (resolver.supportsParameter(parameter)) {
    					result = resolver;
    					this.argumentResolverCache.put(parameter, result);
    					break;
    		return result;
    

    复杂参数请求处理

    Map、Model(map、model里面的数据会被放在request请求域中)、RedirectAttributes(重定向携带数据)、

    ServletResponse(response)

    //Map、Model类型的参数,会返回mavContainer.getModel();
    public class ModelAndViewContainer {
    	private boolean ignoreDefaultModelOnRedirect = false;
    	@Nullable
    	private Object view;
    	//BindingAwareModelMap既是map也是model
    	private final ModelMap defaultModel = new BindingAwareModelMap();
    
    protected void exposeModelAsRequestAttributes(Map<String, Object> model,
    			HttpServletRequest request) throws Exception {
    		//将model中的数据全部放到请求域中
    		model.forEach((name, value) -> {
    			if (value != null) {
    				request.setAttribute(name, value);
    			else {
    				request.removeAttribute(name);
    		});
    

    自定义参数绑定原理

    //WebDataBinder:web数据绑定器,将请求参数的值绑定到指定的JavaBean中
    //WebDataBinder利用它里面的Converters将请求数据转换成指定的数据类型,再次封装到JavaBean中
    WebDataBinder binder = binderFactory.createBinder(webRequest,attribute,name);
    

    返回值处理

    返回值解析器:确定方法的返回值有多少种
    返回值解析器原理
    • 返回值解析器判断是否支持这种类型的返回值
    • 返回值解析器调用handlerReturnValue进行处理
    • RequestResponseBodyMethodProcessor可以处理返回值标了@ResponseBody注解的
      • 利用MessageConverters进行处理,将数据写为json
        • 1、内容协商(浏览器默认会以请求头的方式告诉服务器他能接受什么样的内容类型)
        • 2、服务器最终根据自己的自身能力,决定服务器能生产出什么样内容类型的数据
        • 3、挨个遍历所有容器底层的HttpMessageConverter
    //RequestResponseBodyMethodProcessor.class
    @Override
    	public void handleReturnValue(@Nullable Object returnValue, MethodParameter returnType,
    			ModelAndViewContainer mavContainer, NativeWebRequest webRequest)
    			throws IOException, HttpMediaTypeNotAcceptableException, HttpMessageNotWritableException {
    		mavContainer.setRequestHandled(true);
    		ServletServerHttpRequest inputMessage = createInputMessage(webRequest);
    		ServletServerHttpResponse outputMessage = createOutputMessage(webRequest);
    		// Try even with null return value. ResponseBodyAdvice could get involved.
            //使用消息转换器进行写出操作
    		writeWithMessageConverters(returnValue, returnType, inputMessage, outputMessage);
    
    HttpMessageConverter

    看是否支持将此Class类型的对象,转为MediaType类型的数据

    内容协商原理
    • 判断当前响应头中是否已经有明确的媒体对象
    MediaType contentType = outputMessage.getHeaders().getContentType();
    
    • 获取客户端、浏览器支持接收的内容类型(获取客户端Accept请求头字段)
    List<MediaType> acceptableTypes = getAcceptableMediaTypes(request);
    //contentNegotiationManager 内容协商管理器 默认使用基于请求头的策略
    
    • 获取服务器能够产生的内容类型
      • 遍历循环所有当前系统的MessageConverter,看谁支持操作当前对象
      • 找到支持操作当前对象的converter,把converter支持的媒体类型统计出来
    List<MediaType> producibleTypes = getProducibleMediaTypes(request, valueType, targetType);
    
    for (HttpMessageConverter<?> converter : this.messageConverters) {
    				if (converter instanceof GenericHttpMessageConverter && targetType != null) {
    					if (((GenericHttpMessageConverter<?>) converter).canWrite(targetType, valueClass, null)) {
    						result.addAll(converter.getSupportedMediaTypes());
    				else if (converter.canWrite(valueClass, null)) {
    					result.addAll(converter.getSupportedMediaTypes());
    
    • 将客户端、浏览器支持的内容类型与服务器能够提供的内容类型进行匹配
    for (MediaType requestedType : acceptableTypes) {
    				for (MediaType producibleType : producibleTypes) {
    					if (requestedType.isCompatibleWith(producibleType)) {
    						mediaTypesToUse.add(getMostSpecificMediaType(requestedType, producibleType));
    
    • 排序,并得到最佳匹配
    MediaType.sortBySpecificityAndQuality(mediaTypesToUse)
    
    
    
    
        
    ;
    			for (MediaType mediaType : mediaTypesToUse) {
    				if (mediaType.isConcrete()) {
    					selectedMediaType = mediaType;
    					break;
    				else if (mediaType.isPresentIn(ALL_APPLICATION_MEDIA_TYPES)) {
    					selectedMediaType = MediaType.APPLICATION_OCTET_STREAM;
    					break;
    
    • 用支持将对象转为最佳匹配媒体类型的converter,调用它进行转换
    for (HttpMessageConverter<?> converter : this.messageConverters) {
    				GenericHttpMessageConverter genericConverter = (converter instanceof GenericHttpMessageConverter ?
    						(GenericHttpMessageConverter<?>) converter : null);
    				if (genericConverter != null ?
    						((GenericHttpMessageConverter) converter).canWrite(targetType, valueType, selectedMediaType) :
    						converter.canWrite(valueType, selectedMediaType)) {
    					body = getAdvice().beforeBodyWrite(body, returnType, selectedMediaType,
    							(Class<? extends HttpMessageConverter<?>>) converter.getClass(),
    							inputMessage, outputMessage);
    					if (body != null) {
    						Object theBody = body;
    						LogFormatUtils.traceDebug(logger, traceOn ->
    								"Writing [" + LogFormatUtils.formatValue(theBody, !traceOn) + "]");
    						addContentDispositionHeader(inputMessage, outputMessage);
    						if (genericConverter != null) {
    							genericConverter.write(body, targetType, selectedMediaType, outputMessage);
    						else {
    							((HttpMessageConverter) converter).write(body, selectedMediaType, outputMessage);
    					else {
    						if (logger.isDebugEnabled()) {
    							logger.debug("Nothing to write: null body");
    					return;
    
    开启浏览器参数方式的内容协商功能
    spring:
      mvc:
        contentnegotiation:
          favor-parameter: true
    		 * Whether a request parameter ("format" by default) should be used to determine
    		 * the requested media type.
    		//请求中带format参数
    		private boolean favorParameter = false;
    

    视图解析原理流程

    • 目标方法处理的过程中,所有的数据都会被放在ModelAndViewContainer里面。包括数据和视图地址

    • 任何目标方法执行完成以后都会返回ModelAndView(数据和视图地址)

    • //DispatcherServlet.class
      //处理派发结果,页面该如何响应
      processDispatchResult(processedRequest, response, mappedHandler, mv, dispatchException);
        
      • 视图解析器