org.springframework.web.servlet.handler.HandlerInterceptorAdapter是由spring MVC提供的一个适配器,我们只要继承它,就非常的容易自定义拦截器。
HandlerInterceptorAdaptery有3个方法:
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)throws Exception {
//在业务处理器处理请求之前被调用。预处理,可以进行编码、安全控制等处理;
return true;
}
public void postHandle(HttpServletRequest request, HttpServletResponse response, Object handler, ModelAndView modelAndView)throws Exception {
//在业务处理器处理请求执行完成后,生成视图之前执行。后处理(调用了Service并返回ModelAndView,但未进行页面渲染),有机会修改ModelAndView;
}
public void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex)throws Exception {
//在DispatcherServlet完全处理完请求后被调用,可用于清理资源等。返回处理(已经渲染了页面),可以根据ex是否为null判断是否发生了//异常,进行日志记录;
}
在SpringBoot中使用HandlerInterceptorAdaptery非常的简单,
1、继承HandlerInterceptorAdaptery编写上面3个函数
2、通过Bean注入器把HandlerInterceptorAdaptery注入。
如:
第一步
public class AdminInterceptor extends HandlerInterceptorAdapter {
@Override
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)
throws Exception {
HttpSession session = request.getSession();
if (session.getAttribute(WebSecurityConfig.SESSION_KEY) != null)
return true;
// 跳转登录
String url = "/login";
response.sendRedirect(url);
return false;
}
}
第二步 配置全局配置文件,注入bean
package com.jsoft.springboottest.springboottest1.config;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.InterceptorRegistration;
import org.springframework.web.servlet.config.annotation.InterceptorRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;
import com.jsoft.springboottest.springboottest1.filter.SecurityInterceptor;
@Configuration
public class WebSecurityConfig extends WebMvcConfigurerAdapter {
/**
* 登录session key
*/
public static final String SESSION_KEY = "user";
@Bean
public AdminInterceptor getSecurityInterceptor() {
return new AdminInterceptor();
}
/** 添加拦截器 **/
@Override
public void addInterceptors(InterceptorRegistry registry) {
InterceptorRegistration addInterceptor = registry.addInterceptor(getSecurityInterceptor());
// 排除配置
addInterceptor.excludePathPatterns("/error");
addInterceptor.excludePathPatterns("/login**");
// 拦截配置
addInterceptor.addPathPatterns("/**");
}
}
当然,如果不是用SpringBoot,就不能给我们自动配置
如果基于XML配置使用Spring MVC,可以利用SimpleUrlHandlerMapping、BeanNameUrlHandlerMapping进行Url映射(相当于struts的path映射)和拦截请求(注入interceptors)。
如果基于注解使用Spring MVC,可以使用DefaultAnnotationHandlerMapping注入interceptors。
注意无论基于XML还是基于注解,HandlerMapping Bean都是需要在XML中配置的。
原创来源:滴一盘技术