像是页面的登录验证处理,权限校验,登录日志的处理.
下面以登录验证为例,实现拦截器.
实现HandlerInterceptor接口,并重写preHandle方法(在业务处理器处理请求之前被调用)
- @Component
- public class Interceptor implements HandlerInterceptor {
- //preHandle方法返回true表示能通过,并继续执行原本的下一步.
- //返回false表示不能通过,执行其他程序或返回.
- @Override
- public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
- HttpSession session = request.getSession(false);
- if(session != null && session.getAttribute("user") != null){
- return true;//验证用户已为登录状态
- }
- //用户未登录
- response.sendRedirect("login.html");
- return false;
- }
- }
实现WebMvcConfigurer接口,将上面实现的拦截器加入到其中
- @Configuration
- public class MyConfig implements WebMvcConfigurer {
- @Autowired//注入拦截器的对象
- Interceptor Interceptor;
-
- @Override//添加拦截器
- public void addInterceptors(InterceptorRegistry registry) {
- registry.addInterceptor(Interceptor)//将拦截器加入
- .addPathPatterns("/**")//拦截所有的方法
- .excludePathPatterns("/**/*.html")//放开(不拦截)以.html结尾的文件
- .excludePathPatterns("/user/login");//放开url为user/login的方法
- }
- }