SpringBoot扩展springMvc功能
-
使用spring boot扩展springMvc原因
未使用spring boot时,我们在springmvc中配置视图解析器和拦截器的时候都是需要在xml文件中编写一些配置文件以达到扩展的功能。如下所示添加视图映射:
<mvc:view-controller path="/hello" view-name=“success”/>
mvc:interceptors
mvc:interceptor
<mvc:mapping path="/hello"/>
</mvc:interceptor>
</mvc:interceptors>
1
2
3
4
5
6
7
spring boot概念中,spring boot几乎完全不需要xml文件进行配置。因此,是spring boot自动加载了许多以前SpringMVC需要手动配置的东西,例如视图解析器,消息转换器等
但是,spring boot中的自动配置并不足以满足我们的开发需求,所以我们可以在默认的配置上进行扩展。 -
spring boot进行springMvc扩展
编写MVC扩展类,实现WebMvcConfigurer类,用来说明这个类是用来配置MVC的扩展容器。
@Configuration
public class WebMVCConfig implements WebMvcConfigurer {/**
- 自定义视图
- @param registry
*/
@Override
public void addViewControllers(ViewControllerRegistry registry) {
registry.addViewController("/").setViewName(“index”);
registry.addViewController("/index").setViewName(“index”);
registry.addViewController("/index.html").setViewName(“index”);
// 定义跳转到主页面的视图
registry.addViewController("/main.html").setViewName(“dashboard”);
}
/**
- 注册拦截器
- @param registry
*/
@Override
public void addInterceptors(InterceptorRegistry registry) {
registry.addInterceptor(new WebInterceptor()).addPathPatterns("/").excludePathPatterns("/user/login", “/css” +
"/", “/js/", "/img/”, “/”, “/index”, “/index.html”);
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
拦截器
public class WebInterceptor implements HandlerInterceptor {
@Override
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
Object loginUser = request.getSession().getAttribute(“loginUser”);
if (loginUser == null) {
request.setAttribute(“msg”, “请先登录!”);
request.getRequestDispatcher("/").forward(request, response);
return false;
} else {
return true;
}
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
运行项目即可。
总结:
只需要编写一个配置类(@Configuration),是WebMvcConfigurerAdapter类型;
不标注@EnableWebMvc,标注了@EnableWebMvc的类就会全部的接管Mvc的功能,SpringBoot就不会自动的为我们进行自动的配置,
这个时候我们既保留了所有的自动配置,也能用我们扩展的配置。
官网解释:https://docs.spring.io/spring-boot/docs/2.2.6.RELEASE/reference/htmlsingle/#boot-features-spring-mvc-auto-configuration
在这里插入图片描述
3. 全面接管springMVC的配置
SpringBoot对SpringMVC的自动配置都失效了,不需要。但,需要在配置类中添加@EnableWebMvc即可。
官网解释:https://docs.spring.io/spring-boot/docs/2.2.6.RELEASE/reference/htmlsingle/#boot-features-spring-mvc-auto-configuration
在这里插入图片描述