【SpringBoot篇】Interceptor拦截器 | 拦截器和过滤器的区别
在SpringBoot中,拦截器(Interceptor)和过滤器(Filter)都是用于处理请求和响应的工具,但它们之间有一些区别:
- 作用域不同:Filter是基于Servlet容器的,它能拦截所有的请求;而Interceptor是基于Spring MVC框架的,只能拦截由DispatcherServlet处理的请求。
- 执行时机不同:Filter在Servlet容器中先于Servlet执行;Interceptor先于DispacherServlet的拦截器执行。
- 拦截的级别不同:Filter只能对action请求进行拦截,在请求之前或之后进行操作;Interceptor可以对action请求以及结果进行拦截,可以在请求之前、之中、之后进行多个操作。
- 拦截方式不同:Filter通过注解或者web.xml文件配置拦截规则;Interceptor通过实现HandlerInterceptor接口并重写相应的方法,然后将其注册到Spring MVC容器中。
- 处理的响应不同:Filter对Servlet容器的响应无能为力,因为它不能直接操作Servlet的响应;Interceptor可以通过修改ModelAndView对象来影响视图的渲染。
以下是一个简单的Spring Boot中的Interceptor的示例代码:
import org.springframework.stereotype.Component;
import org.springframework.web.servlet.HandlerInterceptor;
import org.springframework.web.servlet.ModelAndView;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
@Component
public class MyInterceptor implements HandlerInterceptor {
@Override
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
// 在请求处理之前进行调用(Controller方法调用之前)
System.out.println("preHandle");
return true; // 如果返回false,则停止流程,api不会被调用
}
@Override
public void postHandle(HttpServletRequest request, HttpServletResponse response, Object handler, ModelAndView modelAndView) throws Exception {
// 请求处理之后进行调用,但是在视图被渲染之前(Controller方法调用之后)
System.out.println("postHandle");
}
@Override
public void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex) throws Exception {
// 在整个请求结束之后调用,也就是在DispatcherServlet渲染了视图执行(主要是用于资源清理工作)
System.out.println("afterCompletion");
}
}
然后需要将Interceptor注册到Spring MVC框架中:
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.servlet.config.annotation.InterceptorRegistry;
import org.springframework.web.servlet.config.annotation.WebMvcConfigurer;
@Configuration
public class WebConfig i
评论已关闭