如何在springboot中扩展springmvc的功能以及使用拦截器
程序员文章站
2022-06-28 20:17:28
如何在springboot中扩展springmvc的功能以及使用拦截器文章目录一、在springboot中扩展springmvc的功能1.配置自定义视图映射,全面扩展mvc配置2.controller层使用自定义视图映射二、在springboot中使用拦截器1.定义拦截器2.注册拦截器3.直接访问主页面,实现拦截功能提示:以下是本篇文章正文内容,下面案例可供参考一、在springboot中扩展springmvc的功能 我们在ssm项目中扩展springMVC功能,一般会在springmvc.x...
如何在springboot中扩展springmvc的功能以及使用拦截器
文章目录
提示:以下是本篇文章正文内容,下面案例可供参考
一、在springboot中扩展springmvc的功能
我们在ssm项目中扩展springMVC功能,一般会在springmvc.xml配置文件中配置视图解析器和拦截器以达到扩展的功能。
而SpringBoot简单化了该类功能,自动加载了SpringMVC的功能配置信息,例如视图解析器。但是,有些场景,不适合使用SpringBoot内置的mvc扩展的功能,因此我们需要在SpringBoot中自定义配置类来实现SpringMVC的扩展功能。
根据java8的特性,接口不需要实现类重写接口中的全部方法。因此我们只需实现WebMvcConfigurer接口,加上@Configuration注解自定义视图信息。实现指定方法,完善内容即可。
1.配置自定义视图映射,全面扩展mvc配置
代码如下(示例):
//配置自定义视图映射
//全面扩展mvc配置
@Configuration
//@EnableWebMvc //相当于DelegatingWebMvcConfiguration.class从容器中获取所有的webMvcConfig
public class MyMvcConfig implements WebMvcConfigurer {
//试图跳转
@Override
public void addViewControllers(ViewControllerRegistry registry) {
registry.addViewController("/").setViewName("index");
registry.addViewController("/index.html").setViewName("index");
registry.addViewController("/index").setViewName("index");
registry.addViewController("/dashboard.html").setViewName("dashboard");
}
}
2.controller层使用自定义视图映射
代码如下(示例):
@Controller
@RequestMapping("user")
public class LoginController {
@RequestMapping("/login")
public String login(
@RequestParam("username") String username,
@RequestParam("password") String password,
Map map, HttpSession session
){
//登录验证
if(username.equals("admin") && password.equals("123456")){
//登陆成功
session.setAttribute("loginUser",username);
//跳转主页面
return "redirect:/dashboard.html";
}else{
map.put("msg","用户名或密码错误");
return "index";
}
}
@RequestMapping("/loginout")
public String loginout(HttpSession session){
session.removeAttribute("loginUser");
return "redirect:/index";
}
}
二、在springboot中使用拦截器
下面的案例,就是使用拦截器来完成简单的用户登录操作的判断。
代码实例如下:
1.定义拦截器
//定义拦截器
public class LoginHandlerInterceptor implements HandlerInterceptor {
//前置拦截,登录前进行拦截,返回true放行
@Override
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
//登录成功当前用户存进Session中
HttpSession session = request.getSession();
Object loginUser = session.getAttribute("loginUser");
if(loginUser == null){
//未登录,携带信息msg
request.setAttribute("msg","未登录,请先登录" );
request.getRequestDispatcher("/index.html").forward(request,response);
return false;
}else{
return true;
}
}
}
2.注册拦截器
//配置自定义视图映射
//全面扩展mvc配置
@Configuration
//@EnableWebMvc //相当于DelegatingWebMvcConfiguration.class从容器中获取所有的webMvcConfig
public class MyMvcConfig implements WebMvcConfigurer {
//注册拦截器
@Override
public void addInterceptors(InterceptorRegistry registry) {
//添加拦截器
registry.addInterceptor(new LoginHandlerInterceptor()).addPathPatterns("/**")
.excludePathPatterns("/index.html", "/", "/user/login", "/css/**", "/js/**", "/img/**");
}
}
3.直接访问主页面,实现拦截功能
本文地址:https://blog.csdn.net/weixin_53059756/article/details/112636065