当前位置:   article > 正文

SpringBoot-Web开发_springboot web

springboot web

   

Spring Boot非常适合web应用程序开发。您可以使用嵌入式Tomcat、Jetty、Undertow或Netty来创建一个自包含的HTTP服务器。大多数web应用程序使用spring-boot-starter-web模块来快速启动和运行。你也可以选择使用spring-boot-starter-webflux模块来构建响应式web应用。

1. Web场景

SpringBoot的Web开发能力,由SpringMVC提供。

1. 自动配置

1)整合web场景,导入spring-boot-starter-web

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-web</artifactId>
  4. </dependency>

2)引入了autoconfigure功能

spring-boot-starter-web导入了一个spring-boot-starter,而spring-boot-starter又导入了spring-boot-autoconfigure包,引入了autoconfigure功能。spring-boot-autoconfigure包依赖一个注解:@EnableAutoConfiguration,有了这个注解,SpringBoot会让spring-boot-autoconfigure包下写好的配置类生效。

3)@EnableAutoConfiguration注解

@Import(AutoConfigurationImportSelector.class)注解使用@Import(AutoConfigurationImportSelector.class)批量导入组件

4)@Import注解

@Import(AutoConfigurationImportSelector.class)是通过加载spring-boot-autoconfigure下META-INF/spring/org.springframework.boot.autoconfigure.AutoConfiguration.imports文件中配置的所有组件,将配置类导入进来

5)web相关所有的自动配置类如下:

  1. org.springframework.boot.autoconfigure.web.client.RestTemplateAutoConfiguration
  2. org.springframework.boot.autoconfigure.web.embedded.EmbeddedWebServerFactoryCustomizerAutoConfiguration
  3. org.springframework.boot.autoconfigure.web.reactive.HttpHandlerAutoConfiguration
  4. org.springframework.boot.autoconfigure.web.reactive.ReactiveMultipartAutoConfiguration
  5. org.springframework.boot.autoconfigure.web.reactive.ReactiveWebServerFactoryAutoConfiguration
  6. org.springframework.boot.autoconfigure.web.reactive.WebFluxAutoConfiguration
  7. org.springframework.boot.autoconfigure.web.reactive.WebSessionIdResolverAutoConfiguration
  8. org.springframework.boot.autoconfigure.web.reactive.error.ErrorWebFluxAutoConfiguration
  9. org.springframework.boot.autoconfigure.web.reactive.function.client.ClientHttpConnectorAutoConfiguration
  10. org.springframework.boot.autoconfigure.web.reactive.function.client.WebClientAutoConfiguration
  11. org.springframework.boot.autoconfigure.web.servlet.DispatcherServletAutoConfiguration
  12. org.springframework.boot.autoconfigure.web.servlet.ServletWebServerFactoryAutoConfiguration
  13. org.springframework.boot.autoconfigure.web.servlet.error.ErrorMvcAutoConfiguration
  14. org.springframework.boot.autoconfigure.web.servlet.HttpEncodingAutoConfiguration
  15. org.springframework.boot.autoconfigure.web.servlet.MultipartAutoConfiguration
  16. org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration

最终,我们只要分析清楚每一个自动配置类产生了什么样的效果,那在SpringMVC底层,SpringBoot给它自动配置了哪些组件就非常清楚了。

说明:带reactive是响应式web场景,和这里分析的普通web场景没有关系

6)这些自动配置类又绑定了配置文件的许多配置项

  •  SpringMVC的所有配置项:以spring.mvc为前缀
  •  Web场景通用配置:以spring.web为前缀
  •  文件上传配置:以spring.servlet.multipart为前缀
  •  服务器的配置:以server为前缀

2. 默认效果(Spring MVC Auto-configuration)

Spring Boot为Spring MVC提供了自动配置,可以很好地与大多数应用程序配合使用。

自动配置在Spring默认设置的基础上增加了以下特性:

  • 包含了ContentNegotiatingViewResolver和BeanNameViewResolver组件,方便视图解析
  • 支持服务静态资源,包括支持WebJars
  • 自动注册Converter、GenericConverter和Formatter组件,适配常见的数据类型转换和格式化需求
  • 支持HttpMessageConverters,可以方便返回json等数据类型
  • 自动注册MessageCodesResolver,方便国际化及错误消息处理
  • 支持静态index.html
  • 自动使用ConfigurableWebBindingInitializer,实现消息处理、数据绑定、类型转换、数据校验等功能

重要:

如果你想保留那些Spring Boot MVC默认配置,并且自定义更多的MVC配置(interceptors(拦截器),formatters(格式化器),view controllers(视图控制器),and other features(其他功能)),可以使用@Configuration注解添加一个WebMvcConfigurer类型的配置类,但不添加@EnableWebMvc。

如果你想提供RequestMappingHandlerMapping、RequestMappingHandlerAdapter或ExceptionHandlerExceptionResolver的自定义实例,并且仍然保持Spring Boot MVC默认配置,你可以声明一个WebMvcRegistrations类型的bean,并使用它来提供这些组件的自定义实例。

如果你想全面接管Spring MVC,使用@Configuration 标注一个配置类,并加上 @EnableWebMvc注解,实现 WebMvcConfigurer 接口,或者像在@EnableWebMvc的Javadoc中描述的那样添加你自己的带有@Configuration注解的DelegatingWebMvcConfiguration。

3. WebMvcAutoConfiguration原理

3.1. 生效条件

  1. @AutoConfiguration(after = { DispatcherServletAutoConfiguration.class, TaskExecutionAutoConfiguration.class,
  2. ValidationAutoConfiguration.class }) //在这些自动配置类之后配置
  3. @ConditionalOnWebApplication(type = Type.SERVLET) //如果是web应用就生效,类型SERVLET,是一个普通的web应用。与之对应的还有REACTIVE(响应式web)
  4. @ConditionalOnClass({ Servlet.class, DispatcherServlet.class, WebMvcConfigurer.class })
  5. @ConditionalOnMissingBean(WebMvcConfigurationSupport.class) //容器中没有WebMvcConfigurationSupport这个Bean才生效。默认就是没有
  6. @AutoConfigureOrder(Ordered.HIGHEST_PRECEDENCE + 10)//优先级
  7. @ImportRuntimeHints(WebResourcesRuntimeHints.class)
  8. public class WebMvcAutoConfiguration {
  9. }

3.2. WebMvcAutoConfiguration自动配置类生效后,做了什么

1)向容器中添加了2个Filter:HiddenHttpMethodFilter、FormContentFilter

HiddenHttpMethodFilter:页面表单可以提交rest请求(GET、POST、PUT、DELETE)。由于浏览器只支持发送GET和POST方式的请求,而DELETE、PUT等method并不支持,Spring3.0添加了一个过滤器,可以将这些请求转换为标准的http方法,使得支持GET、POST、PUT与DELETE请求,该过滤器为HiddenHttpMethodFilter。

FormContentFilter: 表单内容Filter,GET(数据放URL后面)、POST(数据放请求体)请求可以携带数据,而PUT、DELETE 的请求体数据会被忽略。
为了让Tomcat不忽略PUT、DELETE请求的请求体,可以向容器中添加FormContentFilter。

2)向容器中添加了WebMvcConfigurer组件,给SpringMVC添加各种定制功能

WebMvcConfigure提供的所有功能的相关配置,最终会和配置文件进行绑定

  • WebMvcProperties: 与配置文件中前缀为 spring.mvc 的配置项进行绑定
  • WebProperties: 与配置文件中前缀为 spring.web 的配置项进行绑定
  1. //定义为一个嵌套配置,以确保不在类路径上时不会读取WebMvcConfigurer
  2. // Defined as a nested config to ensure WebMvcConfigurer is not read when not on the classpath
  3. @Configuration(proxyBeanMethods = false)
  4. @Import(EnableWebMvcConfiguration.class) //额外导入了其他配置
  5. @EnableConfigurationProperties({ WebMvcProperties.class, WebProperties.class })
  6. @Order(0)
  7. public static class WebMvcAutoConfigurationAdapter implements WebMvcConfigurer, ServletContextAware{
  8. }

3)其它组件...

3.3. WebMvcConfigurer接口

提供了配置SpringMVC底层的所有组件入口

3.4. 静态资源处理规则(源码)

添加处理器,以服务静态资源,如图像、js和css文件,这些文件来自于web应用程序根下的特定位置,类路径以及其他。

  1. //配置本地资源映射路径
  2. public void addResourceHandlers(ResourceHandlerRegistry registry) {
  3. if (!this.resourceProperties.isAddMappings()) {
  4. logger.debug("Default resource handling disabled");
  5. return;
  6. }
  7. addResourceHandler(registry, this.mvcProperties.getWebjarsPathPattern(),
  8. "classpath:/META-INF/resources/webjars/");
  9. addResourceHandler(registry, this.mvcProperties.getStaticPathPattern(), (registration) -> {
  10. registration.addResourceLocations(this.resourceProperties.getStaticLocations());
  11. if (this.servletContext != null) {
  12. ServletContextResource resource = new ServletContextResource(this.servletContext, SERVLET_LOCATION);
  13. registration.addResourceLocations(resource);
  14. }
  15. });
  16. }

规则1:路径匹配:/webjars/*。访问路径匹配 "/webjars/**",就去"classpath:/META-INF/resources/webjars/"下找资源。

访问示例:

http://localhost:8081/webjars/ant-design__icons-vue/6.0.1/AccountBookFilled.js

我们在开发JavaWeb项目的时候,会使用像Maven、Gradle等构建工具以实现对jar包版本依赖管理,以及项目的自动化管理,但对于javascript、css等前端资源包,我们只能采用拷贝到webapp下的方式,这样做就无法对这些资源进行依赖管理。而Webjars提供给我们这些前端资源的jar包形式,我们就可以进行依赖管理。如:

  1. <dependency>
  2. <groupId>org.webjars.npm</groupId>
  3. <artifactId>ant-design__icons-vue</artifactId>
  4. <version>6.0.1</version>
  5. </dependency>

规则2 :路径匹配: /** 。访问路径匹配 "/**" ,就去静态资源默认的4个位置找资源。默认的4个位置如下:

"classpath:/META-INF/resources/", "classpath:/resources/", "classpath:/static/", "classpath:/public/"

规则3:静态资源默认都有缓存规则的设置

所有缓存规则,直接通过配置文件设置: 配置项前缀为 "spring.web"

cachePeriod: 缓存周期;多久不用找服务器要新的。 默认没有,以s为单位

cacheControl: HTTP缓存控制;可以参照https://developer.mozilla.org/zh-CN/docs/Web/HTTP/Caching

useLastModified:是否使用最后一次修改。配合HTTP Cache规则

缓存最终的作用和效果:浏览器访问了一个静态资源,如index.js,如果服务器上这个资源没有发生变化,下次访问的时候就可以直接让浏览器用自己缓存中的东西,而不用给服务器发请求。

  1. registration.setCachePeriod(getSeconds(this.resourceProperties.getCache().getPeriod()));
  2. registration.setCacheControl(this.resourceProperties.getCache().getCachecontrol().toHttpCacheControl());
  3. registration.setUseLastModified(this.resourceProperties.getCache().isUseLastModified());

3.5. EnableWebMvcConfiguration 源码

  1. //SpringBoot给容器中放WebMvcConfigurationSupport组件。
  2. //如果我们自己在容器中添加了WebMvcConfigurationSupport组件,SprinBoot的WebMvcAutoConfiguration都会失效。
  3. @Configuration(proxyBeanMethods = false)
  4. @EnableConfigurationProperties(WebProperties.class)
  5. public static class EnableWebMvcConfiguration extends DelegatingWebMvcConfiguration implements ResourceLoaderAware
  6. {
  7. }

HandlerMapping作用:根据请求的url、method等信息,找哪个Handler能处理请求。

EnableWebMvcConfiguration会向容器中添加WelcomePageHandlerMapping(欢迎页处理器映射)。

WelcomePageHandlerMapping:

访问 /**路径下的所有请求,都是在以上4个静态资源路径下找资源,欢迎页也一样。关于欢迎页:访问/**路径,是在以上4个静态资源路径下找index.html,只要静态资源的位置有一个 index.html页面,项目启动默认访问。

3.6. 为什么容器中放一个WebMvcConfigurer就能配置底层行为

WebMvcAutoConfiguration 是一个自动配置类,它里面有一个 EnableWebMvcConfiguration配置类,而EnableWebMvcConfiguration继于 DelegatingWebMvcConfiguration,这两个配置类都会生效。DelegatingWebMvcConfiguration通过依赖注入把容器中所有 WebMvcConfigurer 注入进来,当调用 DelegatingWebMvcConfiguration 的方法来配置底层规则时,它就会调用所有的WebMvcConfigurer相应的配置底层方法。所以,最终我们自己写的配置底层的方法就 会被调用。

因为项目一启动,WebMvcAutoConfiguration要用EnableWebMvcConfiguration来配置底层,而这个配置类在配置底层的时候,就会从容器中拿到所有的WebMvcConfigurer,当调用 DelegatingWebMvcConfiguration 配置底层规则的方法时,就会调用所有的WebMvcConfigurer相应的配置底层方法。

  1. @Configuration(proxyBeanMethods = false)
  2. public class DelegatingWebMvcConfiguration extends WebMvcConfigurationSupport {
  3. private final WebMvcConfigurerComposite configurers = new WebMvcConfigurerComposite();
  4. @Autowired(required = false)
  5. public void setConfigurers(List<WebMvcConfigurer> configurers) {
  6. if (!CollectionUtils.isEmpty(configurers)) {
  7. this.configurers.addWebMvcConfigurers(configurers);
  8. }
  9. }
  10. }

3.7. WebMvcConfigurationSupport

提供了很多的默认设置。

其中的一项功能是addDefaultHttpMessageConverters(添加一组默认的HttpMessageConverter实例),其中会判断系统中是否有相应的类(在pom中添加了相关依赖的话就会有),如果有,就加入相应的HttpMessageConverter。

  1. jackson2Present = ClassUtils.isPresent("com.fasterxml.jackson.databind.ObjectMapper", classLoader) &&
  2. ClassUtils.isPresent("com.fasterxml.jackson.core.JsonGenerator", classLoader);
  3. jackson2XmlPresent = ClassUtils.isPresent("com.fasterxml.jackson.dataformat.xml.XmlMapper", classLoader);
  4. jackson2SmilePresent = ClassUtils.isPresent("com.fasterxml.jackson.dataformat.smile.SmileFactory", classLoader);
  5. protected final void addDefaultHttpMessageConverters(List<HttpMessageConverter<?>> messageConverters) {
  6. messageConverters.add(new ByteArrayHttpMessageConverter());
  7. messageConverters.add(new StringHttpMessageConverter());
  8. messageConverters.add(new ResourceHttpMessageConverter());
  9. messageConverters.add(new ResourceRegionHttpMessageConverter());
  10. messageConverters.add(new AllEncompassingFormHttpMessageConverter());
  11. if (romePresent) {
  12. messageConverters.add(new AtomFeedHttpMessageConverter());
  13. messageConverters.add(new RssChannelHttpMessageConverter());
  14. }
  15. if (jackson2XmlPresent) {
  16. Jackson2ObjectMapperBuilder builder = Jackson2ObjectMapperBuilder.xml();
  17. if (this.applicationContext != null) {
  18. builder.applicationContext(this.applicationContext);
  19. }
  20. messageConverters.add(new MappingJackson2XmlHttpMessageConverter(builder.build()));
  21. }
  22. else if (jaxb2Present) {
  23. messageConverters.add(new Jaxb2RootElementHttpMessageConverter());
  24. }
  25. if (kotlinSerializationCborPresent) {
  26. messageConverters.add(new KotlinSerializationCborHttpMessageConverter());
  27. }
  28. if (kotlinSerializationJsonPresent) {
  29. messageConverters.add(new KotlinSerializationJsonHttpMessageConverter());
  30. }
  31. if (kotlinSerializationProtobufPresent) {
  32. messageConverters.add(new KotlinSerializationProtobufHttpMessageConverter());
  33. }
  34. if (jackson2Present) {
  35. Jackson2ObjectMapperBuilder builder = Jackson2ObjectMapperBuilder.json();
  36. if (this.applicationContext != null) {
  37. builder.applicationContext(this.applicationContext);
  38. }
  39. messageConverters.add(new MappingJackson2HttpMessageConverter(builder.build()));
  40. }
  41. else if (gsonPresent) {
  42. messageConverters.add(new GsonHttpMessageConverter());
  43. }
  44. else if (jsonbPresent) {
  45. messageConverters.add(new JsonbHttpMessageConverter());
  46. }
  47. if (jackson2SmilePresent) {
  48. Jackson2ObjectMapperBuilder builder = Jackson2ObjectMapperBuilder.smile();
  49. if (this.applicationContext != null) {
  50. builder.applicationContext(this.applicationContext);
  51. }
  52. messageConverters.add(new MappingJackson2SmileHttpMessageConverter(builder.build()));
  53. }
  54. if (jackson2CborPresent) {
  55. Jackson2ObjectMapperBuilder builder = Jackson2ObjectMapperBuilder.cbor();
  56. if (this.applicationContext != null) {
  57. builder.applicationContext(this.applicationContext);
  58. }
  59. messageConverters.add(new MappingJackson2CborHttpMessageConverter(builder.build()));
  60. }
  61. }

2. 静态资源

2.1. 默认规则

2.1.1. 静态资源映射

静态资源映射规则在 WebMvcAutoConfiguration 中进行了定义:

1) 访问路径匹配 "/webjars/**",就去"classpath:/META-INF/resources/webjars/"下找资源

2) 访问路径匹配 "/**" ,就去静态资源默认的4个位置找资源,资源都在 classpath:/META-INF/resources/、classpath:/resources/、classpath:/static/、classpath:/public/ 

2.1.2. 静态资源缓存

如前面所述,所有静态资源都定义了缓存规则(浏览器访问过一次,就会缓存一段时间):

period: 缓存间隔。 默认 0S;

cacheControl:缓存控制。 默认无;

useLastModified:是否使用lastModified头(默认是true);配合HTTP Cache规则

使用lastModified头,浏览器的响应头中会包含Last-Modified

关于useLastModified:

1)如果浏览器每次发送请求,都要向服务器获取新的资源,而如果资源在服务器中又没有发生变化,由于这些资源可能很大,又限制于网络传输的速率,这个时候去加载页面的速度可能就不会很快,那么进一步就会影响到用户的使用感。

2)如果请求只是从缓存中获取,那服务器中的资源如果发生了变化,浏览器也不会及时获取。

有了useLastModified,就可以解决这两个问题。浏览器请求服务器资源的时候,发现自己缓存的文件有 Last Modified ,那么在请求中会包含 If Modified Since,去找服务器确认:服务器中静态资源的修改时间和If Modified Since是否相同。如果相同,浏览器就用缓存中的资源,如果不同,则服务器给浏览器返回最新的资源。

2.1.3. 欢迎页

欢迎页规则在 WebMvcAutoConfiguration 中进行了定义:

静态资源目录下找 index.html,没有就在 templates下找index模板页

2.1.4. Favicon

与其他静态资源一样,Spring Boot在配置的静态内容位置中检查favicon.ico。如果存在这样的文件,它将自动用作应用程序的图标。

2.1.5. 缓存实验

1)配置缓存规则

  1. server.port=8081
  2. #spring.web:
  3. #1.配置国际化的区域信息
  4. #2.配置静态资源策略(功能开启、处理链、缓存)
  5. #开启静态资源映射规则(默认就是true
  6. spring.web.resources.add-mappings=true
  7. #设置缓存
  8. spring.web.resources.cache.period=3600
  9. #缓存详细合并项控制:缓存控制HTTP头,仅允许有效的指令合并。覆盖'spring.web.resources.cache.period'属性:浏览器第一次请求服务器,服务器告诉浏览器此资源缓存7200秒,7200秒以内的所有对此资源的访问,不用发请求给服务器,7200秒以后发请求给服务器
  10. spring.web.resources.cache.cachecontrol.max-age=7200
  11. #使用资源的最后一次修改时间,来对比服务器和浏览器的资源是否相同,有没有发生变化。相同返回 304
  12. #默认就是true
  13. spring.web.resources.cache.use-last-modified=true

2)启动SpringBoot项目,访问项目中的静态资源

这里,我访问的是自己项目中的 flowers.jpg

第一次访问 200

第二次访问(F5刷新) 304

Ctrl+F5强制刷新 200

使用ctrl+F5进行刷新,这个时候浏览器就不会重复利用之前已经缓存的数据了,而是去清空缓存,把所有的资源进行重新下载,使网页与本机储存的网页时间标记相同

这两个的区别很大:一个网页,不仅仅只是有一个HTML,还会依赖其他很多的资源,比如:CSS、JS、图片等。这些资源都是网络下载到浏览器本地的。由于这些资源可能很大,又限制于网络传输的速率,这个时候去加载页面的速度可能就不会很快,那么进一步就会影响到用户的使用感。这个时候,浏览器就会把这些依赖的资源直接缓存到本地,后续访问的时候速度就很快了, 因为是已经缓存了,就不需要去下载了。 

我们先使用F5刷新:

下面我们再使用ctrl + F5 刷新:

我们可以看到,此时加载的这些文件大小都来自于网络下载,而且显示了多大的文件。其实我们通过加载时间,也可以理解为什么浏览器会有缓存机制,使用F5刷新的时候,加载时间在4ms左右,但是使用ctrl + F5的时候,加载时间在6ms秒左右,这就能够理解浏览器为什么就会把这些依赖的资源直接缓存到本地,后续访问的时候速度就会很快。

总结:

ctrl + F5 是直接请求服务器的资源,让当前页面的资源重新全部从服务器上下载下来,这样就全部更新了。

关于HTTP 304状态码

304 未被修改。

自从上次请求后,请求的网页未被修改过。服务器返回此响应时,不会返回网页内容。

如果网页自请求者上次请求后再也没有更改过,你应将服务器配置为返回此响应码(称为if-modified-since http标头)。服务器可以告诉浏览器自从上次抓取后网页没有变更,进而节省带宽和开销。

整个请求响应过程如下:

客户端在请求一个文件的时候,发现自己缓存的文件有 Last Modified ,那么在请求中会包含 If Modified Since ,这个时间就是缓存文件的 Last Modified 。因此,如果请求中包含 If Modified Since,就说明客户端已经有缓存,服务端只要判断这个时间和当前请求的文件的最近修改时间是否一致,就可以确定是返回 304 还是 200 。对于静态文件,例如:CSS、图片,服务器会自动完成 Last Modified 和 If Modified Since 的比较,完成缓存或者更新。

2.2. 自定义静态资源规则

自定义静态资源路径、自定义缓存规则

2.2.1. 配置方式

前缀为spring.mvc,可以配置:静态资源访问路径规则

前缀为spring.web,可以配置:1)静态资源目录      2)静态资源缓存策略

  1. #共享缓存
  2. #spring.web.resources.cache.cachecontrol.cache-public=true
  3. #自定义静态资源文件夹位置
  4. spring.web.resources.static-locations=classpath:/custom/
  5. #自定义webjars访问路径规则
  6. spring.mvc.webjars-path-pattern=/wj/**
  7. #自定义静态资源访问路径规则
  8. spring.mvc.static-path-pattern=/static/**

2.2.2. 代码方式

  • 使用@Configuration注解添加一个WebMvcConfigurer类型的配置类,但不添加@EnableWebMvc
  • @EnableWebMvc 会禁用SpringBoot的默认配置
  • 容器中只要有一个 WebMvcConfigurer 组件,配置的底层行为都会生效

方式一:

  1. @Configuration //这是一个配置类
  2. public class MyConfig implements WebMvcConfigurer {
  3. @Override
  4. public void addResourceHandlers(ResourceHandlerRegistry registry) {
  5. //自定义新的规则(SpringBoot的默认配置仍会保留)
  6. registry.addResourceHandler("/static/**")
  7. .addResourceLocations("classpath:/custom/")
  8. .setCacheControl(CacheControl.maxAge(1260, TimeUnit.SECONDS));
  9. }
  10. }

方式二:

  1. @Configuration //这是一个配置类,给容器中添加一个 WebMvcConfigurer 组件,就能自定义底层
  2. public class MyConfig {
  3. @Bean
  4. public WebMvcConfigurer webMvcConfigurer(){
  5. return new WebMvcConfigurer() {
  6. @Override
  7. public void addResourceHandlers(ResourceHandlerRegistry registry) {
  8. registry.addResourceHandler("/static/**")
  9. .addResourceLocations("classpath:/custom/")
  10. .setCacheControl(CacheControl.maxAge(1260, TimeUnit.SECONDS));
  11. }
  12. };
  13. }
  14. }

3. 路径匹配

Spring5.3 之后加入了更多的请求路径匹配的实现策略。以前只支持 AntPathMatcher 策略,现在提供了 PathPatternParser 策略,并且可以让我们指定到底使用哪种策略。

3.1. Ant风格路径用法

Ant 风格的路径模式语法具有以下规则:

  • *:表示任意数量的字符
  • ?:表示任意一个字符
  • **:表示任意数量的目录
  • {}:表示一个命名的模式占位符
  • []:表示字符集合,例如[a-z]表示小写字母

例如:

*.html 匹配任意名称、扩展名为.html的文件

/folder1/*/*.java 匹配在folder1目录下的任意两级目录下的.java文件

/folder2/**/*.jsp 匹配在folder2目录下任意目录深度的.jsp文件

/{type}/{id}.html 匹配任意文件名为{id}.html,在任意命名的{type}目录下的文件

注意:Ant 风格的路径模式语法中的特殊字符需要转义,如:

要匹配文件路径中的星号,则需要转义为\\*

要匹配文件路径中的问号,则需要转义为\\?

3.2. 模式切换

AntPathMatcher 与 PathPatternParser对比:

  • PathPatternParser 在 jmh 基准测试下,有 6~8 倍吞吐量提升,降低 30%~40%空间分配率
  • PathPatternParser 兼容 AntPathMatcher语法,并支持更多类型的路径模式
  • PathPatternParser "**" 多段匹配的支持仅允许在模式末尾使用,不能用在中间
  1. /**
  2. * {}:表示一个命名的模式占位符。
  3. * []:表示字符集合,例如[a-z]表示小写字母,后面的 + 表示可以有多个
  4. *
  5. * SpringBoot默认使用新版 PathPatternParser 进行路径匹配
  6. * 不能匹配 ** 在中间的情况,剩下的和AntPathMatcher语法兼容
  7. *
  8. */
  9. //PathPatternParser不能适配ant风格路径 **在中间的情况:@GetMapping("/hel*/b?/**/{p1:[a-f]+}")不支持
  10. @GetMapping("/hel*/b?/{p1:[a-f]+}")
  11. public String hello(HttpServletRequest request, @PathVariable("p1") String path) {
  12. log.info("路径变量p1: {}", path);
  13. //获取请求路径
  14. String uri = request.getRequestURI();
  15. return uri;
  16. }

总结:

  •    使用默认的路径匹配规则,是由 PathPatternParser 提供的
  •    如果路径中间需要有 **,需要改变路径匹配策略,替换成ant风格路径
  1. # 改变路径匹配策略:
  2. # 老版策略:ant_path_matcher , 新版策略:path_pattern_parser
  3. #路径匹配策略,默认是 path_pattern_parser
  4. spring.mvc.pathmatch.matching-strategy=path_pattern_parser

4. 内容协商

一套系统适配多端数据返回

内容协商功能本身就是SpringMVC自带的功能,SpringBoot做了一个整合。

4.1.  多端内容适配

4.1.1. 默认规则

SpringBoot 多端内容适配:

1)基于请求头内容协商(默认开启):

  • 客户端向服务端发送请求,携带HTTP标准的Accept请求头,Accept: application/json、application/xml、text/yaml
  • 这是HTTP协议中规定的标准,Accept代表客户端想要接收服务端什么样的数据
  • 服务端根据客户端请求头期望的数据类型进行动态返回

2)基于请求参数内容协商(默认不生效,需要开启):

  • 发送请求 GET /projects/person?format=json ,匹配到 @GetMapping("/projects/person")
  • 根据参数协商,优先返回 json 类型数据。
  • 发送请求 GET /projects/person?format=xml,优先返回 xml 类型数据

4.1.2. 效果演示

请求同一个接口,可以返回json和xml不同格式数据

4.1.2.1. 基于请求头内容协商

1)返回json格式数据

① 控制器方法

  1. /**
  2. * 1、SpringBoot默认支持把对象写为json,因为web场景导入了jackson的包,可以将Java对象转换为json数据
  3. * 2、jackson也支持把数据写为xml,需要导入xml相关依赖
  4. */
  5. @GetMapping("/person")
  6. public Person person() {
  7. Person person = new Person();
  8. person.setId(1L);
  9. person.setUserName("张三");
  10. person.setEmail("163@qq.com");
  11. person.setAge(20);
  12. return person;
  13. }

② 发送请求(基于请求头内容协商)

2)返回xml格式数据

① 引入支持输出xml内容依赖

  1. <dependency>
  2. <groupId>com.fasterxml.jackson.dataformat</groupId>
  3. <artifactId>jackson-dataformat-xml</artifactId>
  4. </dependency>

② 标注注解

  1. @JacksonXmlRootElement // 可以写出为xml文档
  2. @Data
  3. public class Person {
  4. private Long id;
  5. private String userName;
  6. private String email;
  7. private Integer age;
  8. }

③ 发送请求(基于请求头内容协商)

4.1.2.2. 基于请求参数的内容协商

基于请求参数内容协商,默认不生效,需要开启。

① 开启请求参数内容协商功能

  1. # 开启基于请求参数的内容协商功能,默认参数名:format
  2. spring.mvc.contentnegotiation.favor-parameter=true
  3. # 指定内容协商时使用的参数名
  4. spring.mvc.contentnegotiation.parameter-name=type

② 代码等相关配置同上面基于请求头内容协商部分

③ 测试效果

 

4.1.3. 配置协商规则与支持类型

1)修改内容协商方式

  1. #开启基于请求参数的内容协商功能
  2. spring.mvc.contentnegotiation.favor-parameter=true
  3. #自定义参数名,指定内容协商时使用的参数名,默认为format
  4. spring.mvc.contentnegotiation.parameter-name=myparam

2)大多数 MediaType 都是开箱即用的。也可以自定义内容类型,如:

spring.mvc.contentnegotiation.media-types.myYaml=text/yaml

4.2. 自定义内容返回

4.2.1. 增加yaml返回支持

1)导入依赖

  1. <dependency>
  2. <groupId>com.fasterxml.jackson.dataformat</groupId>
  3. <artifactId>jackson-dataformat-yaml</artifactId>
  4. </dependency>

2)编写配置

  1. #新增一种媒体类型
  2. spring.mvc.contentnegotiation.media-types.yaml=text/yaml

说明:要能进行内容协商,相当于要告知SpringBoot,系统中存在一种新格式:yaml。怎么告知?需要在配置文件中编写配置

3)增加HttpMessageConverter组件,专门负责把对象写出为yaml格式

  1. @Bean
  2. public WebMvcConfigurer webMvcConfigurer(){
  3. return new WebMvcConfigurer() {
  4. @Override //配置一个能把对象转为yaml的messageConverter
  5. public void configureMessageConverters(List<HttpMessageConverter<?>> converters) {
  6. converters.add(new MyYamlHttpMessageConverter());
  7. }
  8. };
  9. }

4)请求示例

4.2.2. HttpMessageConverter的示例写法

  1. public class MyYamlHttpMessageConverter extends AbstractHttpMessageConverter<Object> {
  2. private ObjectMapper objectMapper = null;
  3. public MyYamlHttpMessageConverter(){
  4. //告诉SpringBoot这个MessageConverter支持哪种媒体类型
  5. super(new MediaType("text", "yaml", Charset.forName("UTF-8")));
  6. //disable(YAMLGenerator.Feature.WRITE_DOC_START_MARKER) 禁用文档开始标记:---
  7. YAMLFactory yamlFactory = new YAMLFactory().disable(YAMLGenerator.Feature.WRITE_DOC_START_MARKER);
  8. this.objectMapper = new ObjectMapper(yamlFactory);
  9. }
  10. @Override
  11. protected boolean supports(Class<?> clazz) {
  12. //这里面可以增加逻辑判断,只要是对象类型,不是基本数据类型都支持
  13. //这里只是简单的写法,返回true,恒真,表示无条件支持
  14. return true;
  15. }
  16. //配合@RequestBody使用
  17. @Override
  18. protected Object readInternal(Class<?> clazz, HttpInputMessage inputMessage) throws IOException, HttpMessageNotReadableException {
  19. return null;
  20. }
  21. //配合@ResponseBody使用,把对象以什么样的数据格式写出去
  22. @Override
  23. protected void writeInternal(Object methodReturnValue, HttpOutputMessage outputMessage) throws IOException, HttpMessageNotWritableException {
  24. //try-with写法,自动关流
  25. try(OutputStream os = outputMessage.getBody()){
  26. //将控制器方法的返回值写成yaml,写到输出流里
  27. this.objectMapper.writeValue(os,methodReturnValue);
  28. }
  29. }
  30. }

4.2.3. 思考:如何增加其他

1) 配置媒体类型支持:

如:spring.mvc.contentnegotiation.media-types.yaml=text/yaml

2) 编写对应的HttpMessageConverter,并且要告诉SpringBoot这个MessageConverter支持的媒体类型。参考上述示例。

3) 把MessageConverter组件加入到底层

容器中放一个`WebMvcConfigurer` 组件,并配置底层的MessageConverter

4.3. 内容协商原理-HttpMessageConverter

HttpMessageConverter 是怎么工作的?何时工作?

如果我们熟悉了 HttpMessageConverter 的工作原理,就可以定制 HttpMessageConverter  来实现多端内容协商

通过WebMvcConfigurer提供的configureMessageConverters(),来自定义HttpMessageConverter,从而修改底层的MessageConverter

4.3.1. @ResponseBody由HttpMessageConverter处理

标注了@ResponseBody注解的控制器方法的返回值,将会由支持它的HttpMessageConverter写给浏览器

4.3.1.1.  如果控制器方法标注了 @ResponseBody 注解

1)请求到服务端,会先由DispatcherServlet的doDispatch()进行处理

2)在doDispatch()中,针对当前的请求,会找到一个 HandlerAdapter 适配器,利用适配器执行目标方法

3)如果控制器方法上写的是@RequestMapping及其派生注解会由RequestMappingHandlerAdapter来执行,调用invokeHandlerMethod()来执行目标方法

4)目标方法执行之前,准备好两个重要的东西

     HandlerMethodArgumentResolver:参数解析器,确定目标方法每个参数值

     HandlerMethodReturnValueHandler:返回值处理器,确定目标方法的返回值该怎么处理

5)invokeHandlerMethod()中的invokeAndHandle()会真正执行目标方法

6)目标方法执行完成,会返回返回值对象

7)在invokeAndHandl()中,得到返回值对象后,会先找一个合适的HandlerMethodReturnValueHandler(返回值处理器 )

8)最终找到 RequestResponseBodyMethodProcessor,能处理标注了@ResponseBody注解的方法

9)RequestResponseBodyMethodProcessor 调用writeWithMessageConverters(),利用MessageConverter把返回值写出去

上面解释了:@ResponseBody注解标注的控制器方法,最后是由HttpMessageConverter来处理

HttpMessageConverter是怎么处理的?

4.3.1.2. HttpMessageConverter 会先进行内容协商

1) 遍历所有的MessageConverter,找哪个MessageConverter能够支持写出相应内容类型的数据

2)默认MessageConverter有以下

3)如果想要的数据格式是json,MappingJackson2HttpMessageConverter支持写出json格式的数据

4)jackson用ObjectMapper把对象写出去

4.3.2. WebMvcAutoConfiguration提供几种默认HttpMessageConverters

EnableWebMvcConfiguration通过addDefaultHttpMessageConverters添加了默认的MessageConverter。如下:

ByteArrayHttpMessageConverter: 支持字节数据读写

StringHttpMessageConverter: 支持字符串读写

ResourceHttpMessageConverter:支持资源读写

ResourceRegionHttpMessageConverter: 支持分区资源写出

AllEncompassingFormHttpMessageConverter:支持表单xml/json读写

MappingJackson2HttpMessageConverter: 支持请求响应体Json读写

默认8个:

 

系统提供默认的MessageConverter 功能有限,仅用于json或者普通数据返回。如果需要额外增加新的内容协商功能,那就必须要增加新的HttpMessageConverter。

5. 模板引擎

由于 SpringBoot 使用了嵌入式 Servlet 容器,所以 JSP 默认是不能使用的。如果需要服务端页面渲染,优先考虑使用模板引擎。

现在流行的两种开发方式:前后端分离开发、服务端渲染(前后端不分离)

模板引擎页面默认放在 src/main/resources/templates

SpringBoot 包含以下模板引擎的自动配置

  • FreeMarker
  • Groovy
  • Thymeleaf
  • Mustache

Thymeleaf官网https://www.thymeleaf.org/

  1. <!DOCTYPE html>
  2. <html xmlns:th="http://www.thymeleaf.org">
  3. <head>
  4. <title>Good Thymes Virtual Grocery</title>
  5. <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
  6. <link rel="stylesheet" type="text/css" media="all" th:href="@{/css/gtvg.css}" />
  7. </head>
  8. <body>
  9. <p th:text="#{home.welcome}">Welcome to our grocery store!</p>
  10. </body
  11. </html>

5.1. Thymeleaf整合

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-thymeleaf</artifactId>
  4. </dependency>

按照SpringBoot自动配置的原理机制,导了starter之后,就会有对应的XXXAutoConfiguration

自动配置原理

1)开启了 org.springframework.boot.autoconfigure.thymeleaf.ThymeleafAutoConfiguration 自动配置

2)属性绑定在 ThymeleafProperties 中,对应配置文件中前缀为"spring.thymeleaf"的配置

3)所有的模板页面默认在 classpath:/templates文件夹下

4)默认规则:所有的模板页面在 classpath:/templates/下面找,找后缀名为.html的页面

5.2. 基础语法

5.2.1. 核心用法

th:xxx:动态渲染指定的 html 标签属性值、或者th指令(遍历、判断等)

● th:text:标签体内文本值渲染,不会解析html,可对表达式或变量求值,并将结果显示在其被包含的 html 标签体内替换原有html文本
● th:utext:utext会解析html
● th:属性:标签指定属性渲染,动态替换任意属性的值
● th:attr:标签任意属性渲染,html标签中所有的属性对应的值,都可以在 th:arr 中动态取出
● th:ifth:each...:其他th指令

说明:th:text,以纯文本显示且不解析内容里的HTML标签或元素 ;th:utext,把整个内容当成是HTML来解析并展示

  1. String text = "<span style='color:red'>" + "text效果" + "</span>";
  2. String utext = "<span style='color:red'>" + "utext效果" + "</span>";
  3. model.addAttribute("text",text);
  4. model.addAttribute("utext",utext);
  5. <h1 th:text="${text}">hello</h1> 解析结果为:<span style='color:red'>text效果</span>
  6. <h1 th:utext="${utext}">hello</h1> 解析结果为:utext效果
  7. <!-- th:任意html属性 动态替换任意属性的值-->
  8. <img th:src="${imgUrl}" src="flowers.jpg" style="width: 300px"/>
  9. <!--th:arr:任意属性指定 html标签中所有的属性对应的值,都可以在 th:arr 中动态取出-->
  10. <img src="flowers.jpg" style="width:300px" th:attr="src=${imgUrl},style=${width}"/>

系统工具&内置对象:thymeleaf详细文档

  • param:请求参数对象
  • session:session对象
  • application:application对象
  • #execInfo:模板执行信息
  • #messages:国际化消息
  • #uris:uri/url工具
  • #conversions:类型转换工具
  • #dates:日期工具,是java.util.Date对象的工具类
  • #calendars:类似#dates,只不过是java.util.Calendar对象的工具类
  • #temporals: JDK8+ java.time API 工具类
  • #numbers:数字操作工具
  • #strings:字符串操作
  • #objects:对象操作
  • #bools:bool操作
  • #arrays:array工具
  • #lists:list工具
  • #sets:set工具
  • #maps:map工具
  • #aggregates:集合聚合工具(sum、avg)
  • #ids:id生成工具

5.2.2. 语法示例

表达式用来动态取值

  • ${}:变量取值
  • @{}:url取值
  • #{}:国际化消息
  • ~{}:片段引用
  • *{}:变量选择:需要配合th:object绑定对象

常见:

  • 文本: 'one text','another one!',...
  • 数字: 0,34,3.0,12.3,...
  • 布尔:true、false
  • null: null
  • 变量名: one,sometext,main...

文本操作:

  • 拼串: +
  • 文本替换:| The name is ${name} |

布尔操作:

  • 二进制运算: and,or
  • 取反:!,not

比较运算:

  • 比较:>,<,<=,>=(gt,lt,ge,le)
  • 等值运算:==,!=(eq,ne)

条件运算:

  • if-then: (if)?(then)
  • if-then-else: (if)?(then):(else)
  • default: (value)?:(defaultValue)

特殊语法:

  • 无操作:_

所有以上都可以嵌套组合

'User is ' + (${user.isAdmin()} ? 'Administrator' : (${user.type} ?: 'Unknown'))

5.2.3. 属性设置

th:href="@{/list}"

th:attr="class=${active}"

th:attr="src=${imgUrl},style=${width}"

th:checked="${user.active}"

5.2.4. 遍历

语法:  th:each="元素名,迭代状态 : ${集合}"

  1. <tr th:each="person: ${persons}">
  2. <td th:text="${person.userName}"></td>
  3. <td th:text="${person.email}"></td>
  4. <td th:text="${person.age}"></td>
  5. </tr>
  6. <tr th:each="person,iterStat : ${persons}" th:if="${person.age > 10}" th:object="${person}">
  7. <th scope="row" >[[${person.id}]]</th>
  8. <!-- <td th:text="${person.userName}"></td>-->
  9. <td th:text="*{userName}"></td>
  10. <td th:if="${#strings.isEmpty(person.email)}" th:text="没有邮箱信息"></td>
  11. <td th:if="${not #strings.isEmpty(person.email)}" th:text="${person.email}"></td>
  12. <td th:text="|${person.age} - ${person.age >= 18 ? '成年':'未成年' }|"></td>
  13. <td th:switch="${person.role}">
  14. <button th:case="'admin'" type="button" class="btn btn-danger">管理员</button>
  15. <button th:case="'pm'" type="button" class="btn btn-primary">项目经理</button>
  16. <button th:case="'hr'" type="button" class="btn btn-default">人事</button>
  17. </td>
  18. <td>
  19. index:[[${iterStat.index}]] <br/>
  20. count:[[${iterStat.count}]] <br/>
  21. size(总数量):[[${iterStat.size}]] <br/>
  22. current(当前对象):[[${iterStat.current}]] <br/>
  23. even(true)/odd(false):[[${iterStat.even}]] <br/>
  24. first:[[${iterStat.first}]] <br/>
  25. last:[[${iterStat.last}]] <br/>
  26. </td>
  27. </tr>

iterStat(迭代状态 ) 有以下属性:

  • index:当前遍历元素的索引,从0开始
  • count:当前遍历元素的索引,从1开始
  • size:需要遍历元素的总数量
  • current:当前正在遍历的元素对象
  • even/odd:是否偶数/奇数行
  • first:是否第一个元素
  • last:是否最后一个元素

5.2.5. 判断

th:if

  1. <td th:if="${#strings.isEmpty(person.email)}" th:text="没有邮箱信息"></td>
  2. <td th:if="${not #strings.isEmpty(person.email)}" th:text="${person.email}"></td>

th:switch

  1. <td th:switch="${person.role}">
  2. <button th:case="'admin'" type="button" class="btn btn-danger">管理员</button>
  3. <button th:case="'pm'" type="button" class="btn btn-primary">项目经理</button>
  4. <button th:case="'hr'" type="button" class="btn btn-default">人事</button>
  5. </td>

5.2.6. 属性优先级

如下优先级从高到底

Order

Feature

Attributes

1

片段包含

th:insert th:replace

2

遍历

th:each

3

判断

th:if th:unless th:switch th:case

4

定义本地变量

th:object th:with

5

通用方式属性修改

th:attr th:attrprepend th:attrappend

6

指定属性修改

th:value th:href th:src ...

7

文本值

th:text th:utext

8

片段指定

th:fragment

9

片段移除

th:remove

5.2.7. 行内写法

[[...]] 或 [(...)]

 <th scope="row" >[[${person.id}]]</th>

5.2.8. 变量选择

  1. <div th:object="${session.person}">
  2. <p>id: <span th:text="*{id}">1</span>.</p>
  3. <p>name: <span th:text="*{userName}">张三</span>.</p>
  4. <p>email: <span th:text="*{email}">zhangsan<@163.com</span>.</p>
  5. </div>

等同于

  1. <div>
  2. <p>id: <span th:text="*{session.person.id}">1</span>.</p>
  3. <p>name: <span th:text="*{session.person.userName}">张三</span>.</p>
  4. <p>email: <span th:text="*{session.person.email}">zhangsan<@163.com</span>.</p>
  5. </div>

5.2.9. 模板布局

  • 定义模板: th:fragment
  • 引用模板:~{templatename::selector}
  • 插入模板:th:insert、th:replace
  1. <footer th:fragment="copy">&copy; 2011 The Good Thymes Virtual Grocery</footer>
  2. <body>
  3. <div th:insert="~{footer :: copy}"></div>
  4. <div th:replace="~{footer :: copy}"></div>
  5. </body>
  6. <body>
  7. 结果:
  8. <body>
  9. <div>
  10. <footer>&copy; 2011 The Good Thymes Virtual Grocery</footer>
  11. </div>
  12. <footer>&copy; 2011 The Good Thymes Virtual Grocery</footer>
  13. </body>
  14. </body>

5.2.10. devtools

Spring为开发者提供了一个名为spring-boot-devtools的模块来使Spring Boot应用支持热部署,提高开发者的开发效率,无需手动重启Spring Boot应用。

SpringBoot devtools实现热部署说明:

  • spring-boot-devtools热部署是对修改的类和配置文件进行重新加载,所以在重新加载的过程中会看到项目启动的过程,其本质上只是对修改类和配置文件的重新加载,所以速度极快
  • idea监测到项目runninng 或者 debuging 会停用自动编译,所以还需要手动build [Ctrl + F9] 
  • spring-boot-devtools 对于前端使用模板引擎的项目,能够自动禁用缓存,在页面修改后(修改后还需要手动build),只需要刷新浏览器页面即可
  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-devtools</artifactId>
  4. </dependency>

修改页面后,ctrl+F9,可以看到效果;

如果是java代码的修改,建议重启。如果使用devtools热启动,可能会在某些场景下引起一些bug,难以排查

6. 国际化

国际化的自动配置参照MessageSourceAutoConfiguration

实现步骤:

1. Spring Boot 在类路径根下查找messages资源绑定文件,文件名为:messages.properties

2. 多语言可以定义多个消息文件,命名为messages_区域代码.properties。如:

  • messages.properties:默认
  • messages_zh_CN.properties:中文环境
  • messages_en_US.properties:英语环境

3. 在页面中可以使用表达式  #{}获取国际化的配置项值

在程序中可以自动注入 MessageSource组件,获取国际化的配置项值

  1. @Autowired
  2. MessageSource messageSource;
  3. @GetMapping("/message")
  4. public String getMessageContent(HttpServletRequest request) {
  5. Locale locale = request.getLocale();
  6. //利用代码的方式获取国际化配置文件中指定的配置项的值
  7. String login = messageSource.getMessage("login", null, locale);
  8. return login;
  9. }

7. 错误处理

SpringBoot的异常处理机制是指当业务发生异常后,SpringBoot把异常信息怎么返回给客户端。

7.1. SpringBoot错误处理机制

ErrorMvcAutoConfiguration,错误处理的自动配置类,错误处理的自动配置都在ErrorMvcAutoConfiguration中,两大核心机制:

  • SpringBoot 会自适应处理错误,响应页面JSON数据(客户端如果是浏览器会优先响应页面,如果是移动端会优先响应json数据)
  • SpringMVC的错误处理机制依然保留,SpringMVC处理不了,才会交给SpringBoot进行处理

7.1.1. 默认错误处理

浏览器访问出现错误时,会返回一个默认的错误页面。

其他客户端访问出现错误,默认响应一个json数据。

  1. {
  2. "timestamp": "2023-09-27T13:51:54.327+00:00",
  3. "status": 404,
  4. "error": "Not Found",
  5. "message": "No message available",
  6. "path": "/index"
  7. }

如何区分是浏览器访问还是客户端访问

主要在于浏览器和其他客户端的请求头的accept属性对html页面的请求优先级不同。

7.1.2. 错误处理原理

处理流程:

1. 当业务发生异常后,SpringBoot会优先使用SpringMVC的异常处理机制:先找有没有加了@ExceptionHandler注解的方法,如果有,看能不能处理异常,如果能处理就直接处理,响应错误处理结果;如果处理不了,再看有没有@ResponseStatus相关的注解来处理异常,如果能处理就处理;如果处理不了,再看是不是SpringMVC框架底层定义的一些指定的异常,如果是,利用SpringMVC自定义的异常响应进行处理(DefaultHandlerExceptionResolver中有一个doResolveException()方法)。

2. SpringMVC的异常处理机制不能处理,请求会转发给 /error 路径(SpringBoot底层默认有一个与/error请求匹配的错误视图),SpringBoot在底层写好一个 BasicErrorController的组件,专门处理 /error 请求。

3. ErrorMvcAutoConfiguration 会给容器中添加一个BasicErrorController组件。/error 请求最终由SpringBoot底层的BasicErrorController进行处理,此时就会根据请求头的不同来判定是要响应页面还是响应数据。

错误处理的自动配置原理可以参照ErrorMvcAutoConfiguration类,该类给容器中添加了下列组件:

1. DefaultErrorAttributes组件

  1. @Bean
  2. @ConditionalOnMissingBean(value = ErrorAttributes.class, search = SearchStrategy.CURRENT)
  3. public DefaultErrorAttributes errorAttributes() {
  4. return new DefaultErrorAttributes();
  5. }
  1. 源码:
  2. public class DefaultErrorAttributes implements ErrorAttributes, HandlerExceptionResolver, Ordered {
  3. ...
  4. @Override
  5. public Map<String, Object> getErrorAttributes(WebRequest webRequest, ErrorAttributeOptions options) {
  6. Map<String, Object> errorAttributes = getErrorAttributes(webRequest, options.isIncluded(Include.STACK_TRACE));
  7. if (!options.isIncluded(Include.EXCEPTION)) {
  8. errorAttributes.remove("exception");
  9. }
  10. if (!options.isIncluded(Include.STACK_TRACE)) {
  11. errorAttributes.remove("trace");
  12. }
  13. if (!options.isIncluded(Include.MESSAGE) && errorAttributes.get("message") != null) {
  14. errorAttributes.remove("message");
  15. }
  16. if (!options.isIncluded(Include.BINDING_ERRORS)) {
  17. errorAttributes.remove("errors");
  18. }
  19. return errorAttributes;
  20. }
  21. private Map<String, Object> getErrorAttributes(WebRequest webRequest, boolean includeStackTrace) {
  22. //用来生成model数据
  23. Map<String, Object> errorAttributes = new LinkedHashMap<>();
  24. errorAttributes.put("timestamp", new Date());
  25. addStatus(errorAttributes, webRequest);
  26. addErrorDetails(errorAttributes, webRequest, includeStackTrace);
  27. addPath(errorAttributes, webRequest);
  28. return errorAttributes;
  29. }
  30. ...
  31. }

在BasicErrorController控制器处理错误的时候会调用DefaultErrorAttributesgetErrorAttributes方法来生成model数据,用于页面显示或者json数据的返回

model数据:

  • timestamp - 错误提取的时间
  • status - 状态码
  • error - 错误原因
  • exception - 异常对象
  • message - 错误消息
  • errors - jsr303数据校验错误内容
  • trace - 异常堆栈
  • path - 错误请求路径

2. BasicErrorController组件

  1. /**
  2. * BasicErrorController组件
  3. * 作用:默认处理/error请求
  4. * 如果是浏览器访问会优先响应页面,如果是其它客户端会优先响应json数据
  5. */
  6. @Controller
  7. @RequestMapping("${server.error.path:${error.path:/error}}")
  8. public class BasicErrorController extends AbstractErrorController {
  9. //返回错误信息的html页面,浏览器发送的请求来到这个方法处理
  10. @RequestMapping(produces = MediaType.TEXT_HTML_VALUE) //返回HTML
  11. public ModelAndView errorHtml(HttpServletRequest request, HttpServletResponse response) {
  12. HttpStatus status = getStatus(request);
  13. Map<String, Object> model = Collections
  14. .unmodifiableMap(getErrorAttributes(request, getErrorAttributeOptions(request, MediaType.TEXT_HTML)));
  15. response.setStatus(status.value());
  16. //通过视图解析器去解析、获取对应的错误视图,即去哪个页面作为错误页面,包含页面地址和页面内容
  17. ModelAndView modelAndView = resolveErrorView(request, response, status, model);
  18. // 默认错误处理:如果解析不到错误视图(没指定相应的错误页面),则会用默认的名为error的视图(在模板引擎路径templates下名为error的错误页,如果没有SpringBoot也会提供一个名为error的视图)
  19. return (modelAndView != null) ? modelAndView : new ModelAndView("error", model);
  20. }
  21. //返回错误信息的json数据,其他客户端来到这个方法处理
  22. @RequestMapping //返回 ResponseEntity, JSON
  23. public ResponseEntity<Map<String, Object>> error(HttpServletRequest request) {
  24. HttpStatus status = getStatus(request);
  25. if (status == HttpStatus.NO_CONTENT) {
  26. return new ResponseEntity<>(status);
  27. }
  28. //ErrorAttributes的实现是DefaultErrorAttributes
  29. Map<String, Object> body = getErrorAttributes(request, getErrorAttributeOptions(request, MediaType.ALL));
  30. return new ResponseEntity<>(body, status);
  31. }
  32. }

从上述源码中@RequestMapping属性上看得出,如果在配置文件中配置了server.error.path值,则使用指定的值作为错误请求;如果未配置,则查看是否配置了error.path,如果还是没有,则该控制器默认处理/error请求。

该控制器处理错误请求,返回两种类型,分别是text/html和JSON数据,如果需要响应页面就响应错误信息页面,如果要json数据,就响应json。 

解析错误视图(用来响应浏览器的错误页面)

错误页面是这么解析到的:容器中有一个错误视图解析器,利用错误视图解析器进行解析,最终返回相应的模型视图(返回ModelAndView,即去哪个页面作为错误页面,包含页面地址和页面内容)。跳转去哪个页面是由DefaultErrorViewResolver解析得到的。

  1. protected ModelAndView resolveErrorView(HttpServletRequest request, HttpServletResponse response, HttpStatus status,
  2. Map<String, Object> model) {
  3. for (ErrorViewResolver resolver : this.errorViewResolvers) {
  4. ModelAndView modelAndView = resolver.resolveErrorView(request, status, model);
  5. if (modelAndView != null) {
  6. return modelAndView;
  7. }
  8. }
  9. return null;
  10. }

3. DefaultErrorViewResolver,默认错误视图解析器

  1. // 注册DefaultErrorViewResolver解析器
  2. @Bean
  3. @ConditionalOnBean(DispatcherServlet.class)
  4. @ConditionalOnMissingBean(ErrorViewResolver.class)
  5. DefaultErrorViewResolver conventionErrorViewResolver() {
  6. return new DefaultErrorViewResolver(this.applicationContext, this.resources);
  7. }
  1. /**
  2. * 解析错误视图,响应页面的源码
  3. */
  4. public class DefaultErrorViewResolver implements ErrorViewResolver, Ordered {
  5. ...
  6. static {
  7. Map<Series, String> views = new EnumMap<>(Series.class);
  8. views.put(Series.CLIENT_ERROR, "4xx");
  9. views.put(Series.SERVER_ERROR, "5xx");
  10. SERIES_VIEWS = Collections.unmodifiableMap(views);
  11. }
  12. @Override
  13. public ModelAndView resolveErrorView(HttpServletRequest request, HttpStatus status, Map<String, Object> model) {
  14. // 先以错误状态码作为错误页面名,比如404,则会查找 error/404 视图
  15. ModelAndView modelAndView = resolve(String.valueOf(status.value()), model);
  16. if (modelAndView == null && SERIES_VIEWS.containsKey(status.series())) {
  17. // 上述不存在则再查找error/4xx或者error/5xx 视图
  18. modelAndView = resolve(SERIES_VIEWS.get(status.series()), model);
  19. }
  20. return modelAndView;
  21. }
  22. private ModelAndView resolve(String viewName, Map<String, Object> model) {
  23. //错误页面:error/400,或者error/404,或者error/500...
  24. String errorViewName = "error/" + viewName;
  25. // 如果模版引擎可以解析到这个页面地址就用模版引擎来解析
  26. TemplateAvailabilityProvider provider = this.templateAvailabilityProviders.getProvider(errorViewName,
  27. this.applicationContext);
  28. if (provider != null) {
  29. //模板引擎能够解析到这个页面地址,将errorViewName对应的视图地址和model数据封装成ModelAndView返回
  30. return new ModelAndView(errorViewName, model);
  31. }
  32. //模版引擎解析不到页面的情况下,就在静态资源文件夹下查找errorViewName对应的页面
  33. return resolveResource(errorViewName, model);
  34. }
  35. // 该方法会在静态资源文件夹下找errorViewName对应的页面,比如classpath:/static/error/404.html
  36. private ModelAndView resolveResource(String viewName, Map<String, Object> model) {
  37. for (String location : this.resources.getStaticLocations()) {
  38. try {
  39. Resource resource = this.applicationContext.getResource(location);
  40. resource = resource.createRelative(viewName + ".html");
  41. if (resource.exists()) {
  42. return new ModelAndView(new HtmlResourceView(resource), model);
  43. }
  44. }
  45. catch (Exception ex) {
  46. }
  47. }
  48. return null;
  49. }
  50. ...
  51. }

ErrorMvcAutoConfiguration会给容器中添加一个名为 error 的View,是Spring Boot提供的错误视图;上面 7.1.1 中返回一个默认的错误页就是由它来提供。

  1. @Bean(name = "error")
  2. @ConditionalOnMissingBean(name = "error")
  3. public View defaultErrorView() {
  4. return this.defaultErrorView;
  5. }

SpringBoot解析错误视图(页面)的规则(步骤)

如果发生了500、404、503、403... 这些错误,这里用其中的一种错误来举例说明

​1. 假设访问出现了404报错,则状态码status=404,首先根据状态码status生成一个视图error/404;

2. 然后使用模版引擎去解析这个视图error/404,就是去查找类路径classpath下的templates模板文件夹下的error文件夹下是否有404.html这个页面;

3. 如果模板引擎可用,能够解析到这个视图,则将该视图和model数据封装成ModelAndView返回并结束,否则进入第4步;

4. 如果模板引擎不可用,解析不到error/404视图,则依次从静态资源文件夹下查找error/404.html,如果存在,则进行封装返回并结束;否则进入第5步;

5. 在模版引擎解析不到error/404视图,同时静态文件夹下都没有error/404.html的情况下,使用error/4xx作为视图名,进行模糊匹配即此时status=4xx,重新返回第1步进行查找;

6.上面都没有找到,就去找模板引擎路径templates下名为error的错误页;

7. 如果最后还是未找到,则默认使用Spring Boot提供的错误视图(默认错误处理);

7.2. 自定义错误响应

7.2.1. 自定义响应错误页面

根据SpringBoot解析错误页面的规则,自定义页面模板:

​1)在有模板引擎的情况下,会去找error/状态码我们只需要将错误页面命名为错误状态码.html,并放在模板引擎文件夹下的error文件夹下,发生此状态码的错误就会来到对应的页面。可以使用4xx和5xx作为错误页面的文件名来匹配这种类型的所有错误。精确错误页面优先,当没有精确错误的页面,才去找4xx或者5xx错误页面;

​ 2)如果没有模版引擎(模板引擎找不到这个错误页面)的情况下,就会去静态资源文件夹下查找错误页面;

 3)如果在模板引擎文件夹静态资源文件夹下都没有错误页面,就去模板引擎路径templates下找名为error的错误页;

​ 4)上面都没有找到,则默认使用Spring Boot的错误提示页面;

7.2.2. 自定义响应错误json数据

自定义异常处理类并返回json数据,使用@ControllerAdvice + @ExceptionHandler 进行统一异常处理

  1. @ControllerAdvice
  2. public class GlobalExceptionHandler {
  3. @ResponseBody
  4. @ExceptionHandler(ArithmeticException.class) //指定能够处理什么样的异常
  5. public Map<String, Object> handleException(Exception e) {
  6. Map<String, Object> map = new HashMap<>();
  7. map.put("errorMessage", e.getMessage());
  8. return map;
  9. }
  10. }

说明:浏览器和测试工具都返回json数据,但没有自适应的能力。

7.2.3. 自适应响应

实现方式一:自定义异常处理类,请求转发到/error进行自适应响应处理

  1. @ControllerAdvice
  2. public class MyExceptionHandler {
  3. @ExceptionHandler(ArithmeticException.class)
  4. public String handleException(Exception e, HttpServletRequest request) {
  5. //自定义异常信息
  6. Map<String, Object> map = new HashMap<>();
  7. map.put("myErrorMessage", e.getMessage());
  8. //这里获取到的statusCode为null
  9. //Integer statusCode = (Integer) request.getAttribute("jakarta.servlet.error.status_code");
  10. //需要自己设置错误状态码
  11. request.setAttribute("jakarta.servlet.error.status_code",500);
  12. request.setAttribute("map",map);
  13. //请求转发到/error
  14. return "forward:/error";
  15. }
  16. }

说明:虽然具备了自适应能力,但是无法将自定义的异常信息传给页面或者响应json数据 。

实现方式二:自定义异常处理类、ErrorAttributes类,将自定义的错误信息传给页面或者响应json数据

自定义ErrorAttributes类,由于ErrorMvcAutoConfiguration自动配置类中的DefaultErrorAttributes上面有条件注解@ConditionalOnMissingBean(value = ErrorAttributes.class, search = SearchStrategy.CURRENT),所以项目加载的时候不会再把DefaultErrorAttributes注册到容器中。

  1. @Component
  2. public class MyErrorAttributes extends DefaultErrorAttributes {
  3. @Override
  4. public Map<String, Object> getErrorAttributes(WebRequest webRequest, ErrorAttributeOptions options) {
  5. Map<String, Object> errorAttributes = super.getErrorAttributes(webRequest, options);
  6. //在原来错误信息的基础上,增加自定义的错误信息
  7. errorAttributes.put("cumtomLabel","This is customizable message");
  8. //获取自定义的异常处理类(这里是MyExceptionHandler)中设置的错误信息
  9. Map<String, Object> map = (Map<String, Object>)webRequest.getAttribute("map", RequestAttributes.SCOPE_REQUEST);
  10. errorAttributes.put("map",map);
  11. return errorAttributes;
  12. }
  13. }

自定义的异常处理器

  1. @ControllerAdvice
  2. public class MyExceptionHandler {
  3. @ExceptionHandler(ArithmeticException.class)
  4. public String handleException(Exception e, HttpServletRequest request) {
  5. //自定义异常信息
  6. Map<String, Object> map = new HashMap<>();
  7. map.put("myErrorMessage", e.getMessage());
  8. //这里获取到的statusCode为null
  9. //Integer statusCode = (Integer) request.getAttribute("jakarta.servlet.error.status_code");
  10. //需要自己设置错误状态码
  11. request.setAttribute("jakarta.servlet.error.status_code",500);
  12. request.setAttribute("map",map);
  13. //请求转发到/error
  14. return "forward:/error";
  15. }
  16. }

这样就可以在模板页面上获取对应的错误信息了。

  1. <!DOCTYPE html>
  2. <html lang="en" xmlns:th="http://www.thymeleaf.org">
  3. <head>
  4. <meta charset="UTF-8">
  5. <title>Title</title>
  6. </head>
  7. <body>
  8. <h1>status: [[${status}]]</h1>
  9. <h2>timestamp: [[${timestamp}]]</h2>
  10. <h2>error: [[${error}]]</h2>
  11. <h2>exception: [[${exception}]]</h2>
  12. <h2>cumtomLabel: [[${cumtomLabel}]]</h2>
  13. <h2 th:if="${map.myErrorMessage}" th:text="${map.myErrorMessage}"></h2>
  14. </body>
  15. </html>

7.3. 实战

1. 前后端分离

    后台发生的所有异常,@ControllerAdvice + @ExceptionHandler进行统一异常处理。

2. 服务端页面渲染

   HTTP码表示的服务器或客户端错误

  • 在classpath:/templates/error/下面,加一些常用精确的错误码页面,500.html,404.html
  • 在classpath:/templates/error/下面,加一些通用模糊匹配的错误码页面, 5xx.html,4xx.html

   发生业务错误

  •    核心业务,每一种错误,都应该通过代码控制,跳转到自己定制的错误页。
  •    通用业务,classpath:/templates/error.html页面,显示错误信息。

8. 嵌入式容器

不用单独安装,项目就能启动。Servlet容器:管理、运行Servlet组件(Servlet、Filter、Listener)的环境,一般指服务器。

8.1. 自动配置原理

  • SpringBoot 默认嵌入Tomcat作为Servlet容器
  • 自动配置类是ServletWebServerFactoryAutoConfiguration,EmbeddedWebServerFactoryCustomizerAutoConfiguration

自动配置类开始分析功能

  1. @AutoConfiguration(after = SslAutoConfiguration.class)
  2. @AutoConfigureOrder(Ordered.HIGHEST_PRECEDENCE)
  3. @ConditionalOnClass(ServletRequest.class)
  4. @ConditionalOnWebApplication(type = Type.SERVLET)
  5. @EnableConfigurationProperties(ServerProperties.class)
  6. @Import({ ServletWebServerFactoryAutoConfiguration.BeanPostProcessorsRegistrar.class,
  7. ServletWebServerFactoryConfiguration.EmbeddedTomcat.class,
  8. ServletWebServerFactoryConfiguration.EmbeddedJetty.class,
  9. ServletWebServerFactoryConfiguration.EmbeddedUndertow.class })
  10. public class ServletWebServerFactoryAutoConfiguration {
  11. }

1)ServletWebServerFactoryAutoConfiguration 自动配置了嵌入式容器场景。

2)ServletWebServerFactoryAutoConfiguration绑定了ServerProperties配置类,所有和服务器相关的配置项,都以"server"为前缀。

3)ServletWebServerFactoryAutoConfiguration 导入了嵌入式的三大服务器 Tomcat、Jetty、Undertow:

  •   导入 Tomcat、Jetty、Undertow 都有条件注解,系统中要有相关的类(也就是导了包)才能生效
  •   由于web场景的starter中引了tomcat的starter,导了tomcat相关的包,所以默认tomcat配置生效,EmbeddedTomcat给容器中添加了 TomcatServletWebServerFactory(Tomcat的web服务器工厂)
  •   Tomcat、Jetty、Undertow 都给容器中放了一个 web服务器工厂(造web服务器的):XXXServletWebServerFactory
  •   每个web服务器工厂都具备一个功能:获取web服务器(getWebServer
  •   TomcatServletWebServerFactory创建了tomcat(通过getWebServer来创建)

ServletWebServerFactory 什么时候会把WebServer创建出来?

IOC容器(ServletWebServerApplicationContext)启动的时候会调用createWebServer,创建web服务器。Spring容器启动的时候,在refresh()这一步,会预留一个时机,刷新子容器,即调用onRefresh()。

  1. @Override
  2. public void refresh() throws BeansException, IllegalStateException {
  3. synchronized (this.startupShutdownMonitor) {
  4. StartupStep contextRefresh = this.applicationStartup.start("spring.context.refresh");
  5. // Prepare this context for refreshing.
  6. prepareRefresh();
  7. // Tell the subclass to refresh the internal bean factory.
  8. ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory();
  9. // Prepare the bean factory for use in this context.
  10. prepareBeanFactory(beanFactory);
  11. try {
  12. // Allows post-processing of the bean factory in context subclasses.
  13. postProcessBeanFactory(beanFactory);
  14. StartupStep beanPostProcess = this.applicationStartup.start("spring.context.beans.post-process");
  15. // Invoke factory processors registered as beans in the context.
  16. invokeBeanFactoryPostProcessors(beanFactory);
  17. // Register bean processors that intercept bean creation.
  18. registerBeanPostProcessors(beanFactory);
  19. beanPostProcess.end();
  20. // Initialize message source for this context.
  21. initMessageSource();
  22. // Initialize event multicaster for this context.
  23. initApplicationEventMulticaster();
  24. // Initialize other special beans in specific context subclasses.
  25. onRefresh();
  26. // Check for listener beans and register them.
  27. registerListeners();
  28. // Instantiate all remaining (non-lazy-init) singletons.
  29. finishBeanFactoryInitialization(beanFactory);
  30. // Last step: publish corresponding event.
  31. finishRefresh();
  32. }
  33. catch (BeansException ex) {
  34. if (logger.isWarnEnabled()) {
  35. logger.warn("Exception encountered during context initialization - " +
  36. "cancelling refresh attempt: " + ex);
  37. }
  38. // Destroy already created singletons to avoid dangling resources.
  39. destroyBeans();
  40. // Reset 'active' flag.
  41. cancelRefresh(ex);
  42. // Propagate exception to caller.
  43. throw ex;
  44. }
  45. finally {
  46. // Reset common introspection caches in Spring's core, since we
  47. // might not ever need metadata for singleton beans anymore...
  48. resetCommonCaches();
  49. contextRefresh.end();
  50. }
  51. }
  52. }
  1. protected void onRefresh() {
  2. super.onRefresh();
  3. try {
  4. this.createWebServer();
  5. } catch (Throwable var2) {
  6. throw new ApplicationContextException("Unable to start web server", var2);
  7. }
  8. }

总结:

Web场景的Spring容器启动,在onRefresh的时候,会调用创建web服务器的方法,而Web服务器的创建是通过XXXServletWebServerFactory实现的。容器中会根据条件注解判断是否有相应的类(也就是导了包),启动相关的服务器配置,默认EmbeddedTomcat会给容器中放一个 TomcatServletWebServerFactory,导致项目启动,自动创建出Tomcat。

8.2. 自定义

切换服务器

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-web</artifactId>
  4. <exclusions>
  5. <!-- Exclude the Tomcat dependency -->
  6. <exclusion>
  7. <groupId>org.springframework.boot</groupId>
  8. <artifactId>spring-boot-starter-tomcat</artifactId>
  9. </exclusion>
  10. </exclusions>
  11. </dependency>
  12. <!-- Use Jetty instead -->
  13. <dependency>
  14. <groupId>org.springframework.boot</groupId>
  15. <artifactId>spring-boot-starter-jetty</artifactId>
  16. </dependency>

8.3. 使用

用法:

  • 修改"server"下的相关配置就可以修改服务器参数
  • 通过给容器中放一个ServletWebServerFactory,来禁用掉SpringBoot默认配置的服务器工厂,实现自定义嵌入任意服务器

9. 全面接管SpringMVC

  • SpringBoot创建的Web应用,底层默认配置好了 SpringMVC 的所有常用组件。
  • 如果我们需要全面接管SpringMVC的所有配置并禁用默认配置,仅需要编写一个WebMvcConfigurer配置类,并标注 @EnableWebMvc 即可

9.1. WebMvcAutoConfiguration

WebMvcAutoConfiguration(web场景的自动配置类)生效后,给容器中配置了哪些组件?SpringMVC自动配置场景,具有如下默认行为:

1. 支持RESTful的filter:HiddenHttpMethodFilter;

2. 支持非POST请求的请求体携带数据:FormContentFilter;

3. EnableWebMvcConfiguration:

    3.1. RequestMappingHandlerAdapter;

    3.2. WelcomePageHandlerMapping: 欢迎页功能支持(在模板引擎目录、静态资源目录下放index.html),项目访问 / ,就默认展示这个页面;

    3.3. RequestMappingHandlerMapping:找每个请求由谁处理的映射关系;

    3.4. ExceptionHandlerExceptionResolver:默认的异常解析器,所有的异常解析都是由解析器来做的;

    3.5. LocaleResolver:国际化解析器;

    3.6. ThemeResolver:主题解析器;

    3.7. FlashMapManager:临时数据共享;

    3.8. FormattingConversionService: 数据格式化 、类型转化;

    3.9. Validator: 数据校验,JSR303提供的数据校验功能;

    3.10. WebBindingInitializer:请求参数的封装与绑定;

    3.11. ContentNegotiationManager:内容协商管理器;

4. WebMvcAutoConfigurationAdapter配置生效,它是一个WebMvcConfigurer,定义MVC底层组件:

     4.1. 定义好了 WebMvcConfigurer 底层组件的默认功能(通过重写WebMvcConfigurer 接口的方法)

     4.2. 视图解析器:InternalResourceViewResolver,默认的视图解析器;

     4.3.视图解析器:BeanNameViewResolver,视图名是组件的beanName,如下,视图名是"myBeanNameViewResolver";

     4.4. 内容协商解析器:ContentNegotiatingViewResolver

     4.5. 请求上下文过滤器:RequestContextFilter,任意位置可以直接获取当前请求

     4.6. 静态资源链规则

     4.7. ProblemDetailsExceptionHandler:错误详情,只能处理(捕获)SpringMVC自己定义的一些常见的内部异常

  1. ServletRequestAttributes requestAttributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
  2. HttpServletRequest request = requestAttributes.getRequest();
  1. @Component("myBeanNameViewResolver")
  2. public class MyBeanNameViewResolver implements View {
  3. @Override
  4. public void render(Map<String, ?> model, HttpServletRequest request, HttpServletResponse response) throws Exception {
  5. response.getWriter().write("testView");
  6. }
  7. @Override
  8. public String getContentType() {
  9. return View.super.getContentType();
  10. }
  11. }

9.2. WebMvcConfigurer 功能

定义、扩展SpringMVC底层功能

提供方法

核心参数

功能

默认

addFormatters

FormatterRegistry

格式化器:支持属性上@NumberFormat和@DatetimeFormat的数据类型转换

GenericConversionService

getValidator

数据校验:校验 Controller 上使用@Valid标注的参数合法性。需要导入starter-validator

addInterceptors

InterceptorRegistry

拦截器:拦截收到的所有请求

configureContentNegotiation

ContentNegotiationConfigurer

内容协商:支持多种数据格式返回。需要配合支持这种类型的HttpMessageConverter

支持 json

configureMessageConverters

List<HttpMessageConverter<?>>

消息转换器:标注@ResponseBody的返回值会利用MessageConverter直接写出去

8 个,支持byte,string,multipart,resource,json

addViewControllers

ViewControllerRegistry

视图映射:直接将请求路径与物理视图映射。用于无 java 业务逻辑的直接视图页渲染


<mvc:view-controller>

configureViewResolvers

ViewResolverRegistry

视图解析器:逻辑视图转为物理视图

ViewResolverComposite

addResourceHandlers

ResourceHandlerRegistry

静态资源处理:静态资源路径映射、缓存控制

ResourceHandlerRegistry

configureDefaultServletHandling

DefaultServletHandlerConfigurer

默认 Servlet:可以覆盖 Tomcat 的DefaultServlet。让DispatcherServlet拦截/

configurePathMatch

PathMatchConfigurer

路径匹配:自定义 URL 路径匹配。可以自动为所有路径加上指定前缀,比如 /api

configureAsyncSupport

AsyncSupportConfigurer

异步支持

TaskExecutionAutoConfiguration

addCorsMappings

CorsRegistry

跨域

addArgumentResolvers

List<HandlerMethodArgumentResolver>

参数解析器

mvc 默认提供

addReturnValueHandlers

List<HandlerMethodReturnValueHandler>

返回值解析器

mvc 默认提供

configureHandlerExceptionResolvers

List<HandlerExceptionResolver>

异常处理器

默认 3 个
ExceptionHandlerExceptionResolver
ResponseStatusExceptionResolver
DefaultHandlerExceptionResolver

getMessageCodesResolver

消息码解析器:国际化使用

9.3. @EnableWebMvc 禁用默认行为

1)@EnableWebMvc给容器中导入 DelegatingWebMvcConfiguration组件,它是WebMvcConfigurationSupport类型的;

2)WebMvcAutoConfiguration生效有一个核心的条件注解,@ConditionalOnMissingBean(WebMvcConfigurationSupport.class),容器中没有WebMvcConfigurationSupport,WebMvcAutoConfiguration才生效;

3)@EnableWebMvc 导入 WebMvcConfigurationSupport 使WebMvcAutoConfiguration 失效,导致禁用了默认行为;

  1. @Retention(RetentionPolicy.RUNTIME)
  2. @Target(ElementType.TYPE)
  3. @Documented
  4. @Import(DelegatingWebMvcConfiguration.class)
  5. public @interface EnableWebMvc {
  6. }

总结:

@EnableWebMvc : 禁用了MVC的自动配置

WebMvcConfigurer组件:定义MVC的底层行为

10. 使用方式

SpringBoot 已经默认配置好了Web开发场景常用功能,我们直接使用即可。

三种方式

方式

用法

效果

全自动(全部使用默认配置)

直接编写控制器逻辑

全部使用自动配置默认效果

手自一体(保留SpringBoot的默认配置,同时还要加一些自定义的规则)

@Configuration+
配置WebMvcConfigrer+
配置 WebMvcRegistrations
不要标注@EnableWebMvc

保留自动配置效果
手动设置部分功能
定义MVC底层组件

全手动

@Configuration + 配置WebMvcConfigurer

标注@EnableWebMvc

禁用自动配置效果
全手动设置

总结:给容器中添加一个标注@Configuration注解的配置类,实现 WebMvcConfigurer,但是不要标注 @EnableWebMvc注解,实现手自一体的效果。

两种模式

  1. 前后分离模式: @RestController 响应JSON数据
  2. 前后不分离模式:@Controller + Thymeleaf模板引擎

11. Web新特性

11.1. Problemdetails

RFC 7807: https://www.rfc-editor.org/rfc/rfc7807

Problemdetails是RFC 7807这个规范定义的一种错误信息返回的数据格式,SpringBoot现在也支持这种格式

原理:在WebMvcAutoConfiguration中会有如下配置

  1. @Configuration(proxyBeanMethods = false)
  2. @ConditionalOnProperty(prefix = "spring.mvc.problemdetails", name = "enabled", havingValue = "true")
  3. static class ProblemDetailsErrorHandlingConfiguration {
  4. @Bean
  5. @ConditionalOnMissingBean(ResponseEntityExceptionHandler.class)
  6. ProblemDetailsExceptionHandler problemDetailsExceptionHandler() {
  7. return new ProblemDetailsExceptionHandler();
  8. }
  9. }

ProblemDetailsExceptionHandler上有@ControllerAdvice注解,@ControllerAdvice会将当前类标识为异常处理的组件,用于全局异常处理。
ProblemDetailsExceptionHandler会处理指定异常,如果系统出现以下异常,会被SpringBoot支持以 RFC 7807规范方式返回错误数据,但这个功能默认是关闭的。

  1. @ExceptionHandler({
  2. HttpRequestMethodNotSupportedException.class,
  3. HttpMediaTypeNotSupportedException.class,
  4. HttpMediaTypeNotAcceptableException.class,
  5. MissingPathVariableException.class,
  6. MissingServletRequestParameterException.class,
  7. MissingServletRequestPartException.class,
  8. ServletRequestBindingException.class,
  9. MethodArgumentNotValidException.class,
  10. NoHandlerFoundException.class,
  11. AsyncRequestTimeoutException.class,
  12. ErrorResponseException.class,
  13. ConversionNotSupportedException.class,
  14. TypeMismatchException.class,
  15. HttpMessageNotReadableException.class,
  16. HttpMessageNotWritableException.class,
  17. BindException.class
  18. })

ProblemDetailsExceptionHandler 生效有一个前提条件:需满足@ConditionalOnProperty(prefix = "spring.mvc.problemdetails", name = "enabled", havingValue = "true")这个条件注解中的条件,需要配置一个属性 spring.mvc.problemdetails.enabled=true。

默认(ProblemDetailsExceptionHandler未生效)效果:

响应错误信息的json格式数据

  1. {
  2. "timestamp": "2023-09-08T16:33:05.494+00:00",
  3. "status": 405,
  4. "error": "Method Not Allowed",
  5. "trace": "org.springframework.web.HttpRequestMethodNotSupportedException: Request method 'POST' is not supported\r\n\tat org.springframework.web.servlet.mvc.method.RequestMappingInfoHandlerMapping.handleNoMatch(RequestMappingInfoHandlerMapping.java:265)\r\n\tat org.springframework.web.servlet.handler.AbstractHandlerMethodMapping.lookupHandlerMethod(AbstractHandlerMethodMapping.java:441)\r\n\tat org.springframework.web.servlet.handler.AbstractHandlerMethodMapping.getHandlerInternal(AbstractHandlerMethodMapping.java:382)\r\n\tat org.springframework.web.servlet.mvc.method.RequestMappingInfoHandlerMapping.getHandlerInternal(RequestMappingInfoHandlerMapping.java:126)\r\n\tat org.springframework.web.servlet.mvc.method.RequestMappingInfoHandlerMapping.getHandlerInternal(RequestMappingInfoHandlerMapping.java:68)\r\n\tat org.springframework.web.servlet.handler.AbstractHandlerMapping.getHandler(AbstractHandlerMapping.java:505)\r\n\tat org.springframework.web.servlet.DispatcherServlet.getHandler(DispatcherServlet.java:1275)\r\n\tat org.springframework.web.servlet.DispatcherServlet.doDispatch(DispatcherServlet.java:1057)\r\n\tat org.springframework.web.servlet.DispatcherServlet.doService(DispatcherServlet.java:974)\r\n\tat org.springframework.web.servlet.FrameworkServlet.processRequest(FrameworkServlet.java:1011)\r\n\tat org.springframework.web.servlet.FrameworkServlet.doPost(FrameworkServlet.java:914)\r\n\tat jakarta.servlet.http.HttpServlet.service(HttpServlet.java:590)\r\n\tat org.springframework.web.servlet.FrameworkServlet.service(FrameworkServlet.java:885)\r\n\tat jakarta.servlet.http.HttpServlet.service(HttpServlet.java:658)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:205)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:149)\r\n\tat org.apache.tomcat.websocket.server.WsFilter.doFilter(WsFilter.java:51)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:174)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:149)\r\n\tat org.springframework.web.filter.RequestContextFilter.doFilterInternal(RequestContextFilter.java:100)\r\n\tat org.springframework.web.filter.OncePerRequestFilter.doFilter(OncePerRequestFilter.java:116)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:174)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:149)\r\n\tat org.springframework.web.filter.FormContentFilter.doFilterInternal(FormContentFilter.java:93)\r\n\tat org.springframework.web.filter.OncePerRequestFilter.doFilter(OncePerRequestFilter.java:116)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:174)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:149)\r\n\tat org.springframework.web.filter.CharacterEncodingFilter.doFilterInternal(CharacterEncodingFilter.java:201)\r\n\tat org.springframework.web.filter.OncePerRequestFilter.doFilter(OncePerRequestFilter.java:116)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:174)\r\n\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:149)\r\n\tat org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:166)\r\n\tat org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:90)\r\n\tat org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:482)\r\n\tat org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:115)\r\n\tat org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:93)\r\n\tat org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:74)\r\n\tat org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:341)\r\n\tat org.apache.coyote.http11.Http11Processor.service(Http11Processor.java:391)\r\n\tat org.apache.coyote.AbstractProcessorLight.process(AbstractProcessorLight.java:63)\r\n\tat org.apache.coyote.AbstractProtocol$ConnectionHandler.process(AbstractProtocol.java:894)\r\n\tat org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1740)\r\n\tat org.apache.tomcat.util.net.SocketProcessorBase.run(SocketProcessorBase.java:52)\r\n\tat org.apache.tomcat.util.threads.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1191)\r\n\tat org.apache.tomcat.util.threads.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:659)\r\n\tat org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61)\r\n\tat java.base/java.lang.Thread.run(Thread.java:833)\r\n",
  6. "message": "Method 'POST' is not supported.",
  7. "path": "/list"
  8. }

开启ProblemDetails(spring.mvc.problemdetails.enabled=true),返回数据使用了新的MediaType

效果:同样也是响应错误信息的json格式数据,但是在响应的Headers中返回的数据类型是application/problem+json

  1. {
  2. "type": "about:blank",
  3. "title": "Method Not Allowed",
  4. "status": 405,
  5. "detail": "Method 'POST' is not supported.",
  6. "instance": "/list"
  7. }

11.2. 函数式Web

SpringMVC 5.2 以后,允许我们使用函数式的方式,定义Web的请求处理流程。

Web请求处理的方式:

  1. @Controller + @RequestMapping:耦合式 (路由、业务耦合)
  2. 函数式Web:分离式(路由、业务分离)

11.2.1. 场景

案例:User RESTful - CRUD

  • GET /user/1 获取1号用户
  • GET /users 获取所有用户
  • POST /user 请求体携带JSON,新增一个用户
  • PUT /user/1 请求体携带JSON,修改1号用户
  • DELETE /user/1 删除1号用户

11.2.2. 核心类

  • RouterFunction:定义路由信息。
  • RequestPredicate:请求谓语。定义请求规则:请求方式(GET、POST)、请求参数。
  • ServerRequest:封装请求完整数据。
  • ServerResponse:封装响应完整数据。

11.2.3. 示例

  1. @Configuration
  2. public class WebFunctionConfig {
  3. /**
  4. * 函数式Web:
  5. * 1.给容器中放一个bean:类型是RouterFunction<ServerResponse>
  6. * 2.每个业务准备一个自己的Handler
  7. *
  8. * 核心四大对象
  9. * RouterFunction: 定义路由信息。发什么请求,谁来处理
  10. * RequestPredicate:请求谓语。定义请求规则:请求方式(GET、POST)、请求参数
  11. * ServerRequest: 封装请求完整数据
  12. * ServerResponse: 封装响应完整数据
  13. */
  14. @Bean
  15. public RouterFunction<ServerResponse> userRoute(UserServiceHandler userServiceHandler/*这个会被自动注入进来*/){
  16. return RouterFunctions.route() //开始定义路由信息
  17. .GET("/user/{id}", RequestPredicates.accept(MediaType.ALL), userServiceHandler :: getUser)
  18. .GET("/users",userServiceHandler :: getUsers)
  19. .POST("/user",RequestPredicates.accept(MediaType.APPLICATION_JSON),userServiceHandler ::saveUser)
  20. .PUT("/user/{id}",RequestPredicates.accept(MediaType.APPLICATION_JSON),userServiceHandler::updateUser)
  21. .DELETE("/user/{id}",userServiceHandler ::deleteUser)
  22. .build();
  23. }
  24. }
  1. @Slf4j
  2. @Component
  3. public class UserServiceHandler {
  4. private static Map<Integer, User> personMap;
  5. private static Long initId = 4L;
  6. static {
  7. personMap = new HashMap<>();
  8. personMap.put(1,new User(1L, "张三", "zhangsan@qq.com", 18, "pm"));
  9. personMap.put(2, new User(2L, "李四", "lisi@qq.com", 20, "admin2"));
  10. personMap.put(3, new User(3L, "小明", "小明@qq.com", 22, "admin2"));
  11. }
  12. /**
  13. * 查询指定id的用户
  14. * @param request
  15. * @return
  16. */
  17. public ServerResponse getUser(ServerRequest request) throws Exception{
  18. String id = request.pathVariable("id");
  19. log.info("获取第[{}]个用户信息",id);
  20. //业务处理
  21. User user = personMap.get(Integer.parseInt(id));
  22. //构造响应
  23. return ServerResponse.ok().body(user);
  24. }
  25. /**
  26. * 获取所有用户
  27. * @param request
  28. * @return
  29. * @throws Exception
  30. */
  31. public ServerResponse getUsers(ServerRequest request) throws Exception{
  32. log.info("查询所有用户信息完成");
  33. //业务处理
  34. List<User> list = personMap.values().stream().toList();
  35. //构造响应
  36. return ServerResponse
  37. .ok()
  38. .body(list); //凡是body中的对象,会以json格式写出。就是以前的@ResponseBody原理,利用HttpMessageConverter 一般写出为json
  39. //如果要基于内容协商,还可以写出xml等格式
  40. }
  41. /**
  42. * 保存用户
  43. * @param request
  44. * @return
  45. */
  46. public ServerResponse saveUser(ServerRequest request) throws ServletException, IOException {
  47. //提取请求体
  48. User user = request.body(User.class);
  49. if(user.getId() == null){
  50. user.setId(initId);
  51. personMap.put(user.getId().intValue(),user);
  52. }
  53. log.info("保存用户信息:{}",user);
  54. return ServerResponse.ok().build();
  55. }
  56. /**
  57. * 更新用户
  58. * @param request
  59. * @return
  60. */
  61. public ServerResponse updateUser(ServerRequest request) throws ServletException, IOException {
  62. String id = request.pathVariable("id");
  63. User user = request.body(User.class);
  64. personMap.put(Integer.parseInt(id),user);
  65. log.info("用户信息更新: {}",user);
  66. return ServerResponse.ok().build();
  67. }
  68. /**
  69. * 删除用户
  70. * @param request
  71. * @return
  72. */
  73. public ServerResponse deleteUser(ServerRequest request) {
  74. String id = request.pathVariable("id");
  75. personMap.remove(Integer.parseInt(id));
  76. log.info("删除[{}]用户信息",id);
  77. return ServerResponse.ok().build();
  78. }
  79. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/煮酒与君饮/article/detail/1022059
推荐阅读
相关标签
  

闽ICP备14008679号