spring boot:多个filter/多个interceptor/多个aop时设置调用的先后顺序(spring boot 2.3.1)
一,filter/interceptor/aop生效的先后顺序?
1,filter即过滤器,基于servlet容器,处于最外层,
所以它会最先起作用,最后才停止
说明:filter对所有访问到servlet容器的url都有效,包括静态资源
2,interceptor即拦截器,基于web框架,它会在filter之后起作用
说明:spring boot 1.x中,静态资源已被interceptor排除,
spring boot 2.x中,需要自己手动排除到静态资源的访问
filter和interceptor都是作用于请求
3,aop即切面,基于Spring的IOC容器,对spring管理的bean有效,
它会在interceptor之后才生效
aop可以作用于类和方法
如图:
说明:刘宏缔的架构森林是一个专注架构的博客,地址:https://www.cnblogs.com/architectforest
对应的源码可以访问这里获取: https://github.com/liuhongdi/
说明:作者:刘宏缔 邮箱: 371125307@qq.com
二,演示项目的相关信息
1,项目地址:
https://github.com/liuhongdi/costtime
2,项目的原理:
项目中使用了两个filter,两个interceptor,两个aspect,
功能分别都是:计算请求或方法执行的时间, 打印请求的参数
然后观察它们被执行到的顺序
3,项目结构:如图:
三,配置文件说明 :
pom.xml
<!--aop begin-->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-aop</artifactId>
</dependency>
用来引入aop
四,java代码说明
1,DefaultMvcConfig.java
@Configuration
@ConditionalOnWebApplication(type = ConditionalOnWebApplication.Type.SERVLET)
public class DefaultMvcConfig implements WebMvcConfigurer {
@Resource
private LogInterceptor logInterceptor;
@Resource
private CostTimeInterceptor costTimeInterceptor; @Override
public void addViewControllers(ViewControllerRegistry registry) {
registry.addViewController("/").setViewName("/home/home");
} //添加Interceptor
@Override
public void addInterceptors(InterceptorRegistry registry) {
//1.加入的顺序就是拦截器执行的顺序,
//2.按顺序执行所有拦截器的preHandle
//3.所有的preHandle 执行完再执行全部postHandle 最后是postHandle
registry.addInterceptor(costTimeInterceptor)
.addPathPatterns("/home/home**")
.excludePathPatterns("/html/*","/js/*");
registry.addInterceptor(logInterceptor)
.addPathPatterns("/**")
.excludePathPatterns("/html/*","/static/**","/images/**");
} //add filter
@Bean
public FilterRegistrationBean addTimeFilterBean() {
FilterRegistrationBean registration = new FilterRegistrationBean();
registration.setFilter(new TimeFilter());
registration.setName("timeFilter");
registration.setOrder(2); //请求中过滤器执行的先后顺序,值越小越先执行
registration.addUrlPatterns("/home/*","/abc/*");
return registration;
} @Bean
public FilterRegistrationBean addLogFilterBean() {
FilterRegistrationBean registration = new FilterRegistrationBean();
registration.setFilter(new LogFilter());
registration.setName("logFilter");
registration.setOrder(1); //请求中过滤器执行的先后顺序,值越小越先执行
registration.addUrlPatterns("/*");
registration.addInitParameter("exclusions","/js/*,/images/*,*.js,*.gif,*.jpg,*.png,*.css,*.ico,/druid2/*");
return registration;
}
}
说明:拦截器是按加入到registry的顺序执行
filter是按setOrder中指定的顺序执行
另外:filter也可以用Order注解来指定顺序
2,CostTimeAspect.java
@Component
@Aspect
@Order(3)
public class CostTimeAspect {
ThreadLocal<Long> startTime = new ThreadLocal<>();
@Pointcut("execution(public * com.costtime.demo.controller.*.*(..))")
private void pointcut() {} //用around得到方法使用的时间
@Around(value = "pointcut()")
public Object doAround(ProceedingJoinPoint joinPoint) throws Throwable {
System.out.println("------costtime aop around begin");
long begin = System.nanoTime();
Object obj=joinPoint.proceed();
long end =System.nanoTime();
long timeMicro = (end-begin)/1000;
System.out.println("costtime aop 方法around:微秒数:"+timeMicro);
System.out.println("------costtime aop around end");
return obj;
} @Before("pointcut()")
public void doBefore(JoinPoint joinPoint) throws Throwable{
System.out.println("------costtime aop doBefore begin");
startTime.set(System.currentTimeMillis());
} //和doBefore搭配,得到使用的时间
@AfterReturning(returning = "ret" , pointcut = "pointcut()")
public void doAfterReturning(Object ret){
System.out.println("------costtime aop doAfterReturning begin");
System.out.println("costtime aop 方法doafterreturning:毫秒数:"+ (System.currentTimeMillis() - startTime.get()));
}
}
3,LogAspect.java
@Component
@Aspect
@Order(1)
public class LogAspect {
@Pointcut("execution(public * com.costtime.demo.controller.*.*(..))")
private void pointcut() {} @Around(value = "pointcut()")
public Object doAround(ProceedingJoinPoint joinPoint) throws Throwable {
System.out.println("------log aop around begin");
Object obj=joinPoint.proceed();
System.out.println("------log aop around end");
return obj;
} //把请求参数打印出来
@Before("pointcut()")
public void doBefore(JoinPoint joinPoint) throws Throwable{
System.out.println("------log aop doBefore begin");
ServletRequestAttributes attributes = (ServletRequestAttributes) RequestContextHolder.getRequestAttributes();
HttpServletRequest request = attributes.getRequest(); //得到方法的参数名和参数值
Signature signature = joinPoint.getSignature();
MethodSignature methodSignature = (MethodSignature)signature;
String[] paramNames = methodSignature.getParameterNames();
Object[] args = joinPoint.getArgs();
String paramValue = "";
Map<String, Object> nameAndArgs = new HashMap<String, Object>();
for (int i = 0; i < paramNames.length; i++) {
paramValue+="parameter:"+paramNames[i]+";value:"+args[i];
} // 记录下请求内容
System.out.println("log aop URL : " + request.getRequestURL().toString());
System.out.println("log aop PARAM : " + request.getQueryString());
System.out.println("log aop HTTP_METHOD : " + request.getMethod());
System.out.println("log aop IP : " + request.getRemoteAddr());
System.out.println("log aop METHOD CLASS : " + joinPoint.getSignature().getDeclaringTypeName() );
System.out.println("log aop METHOD NAME: " + joinPoint.getSignature().getName());
System.out.println("log aop METHOD ARGS : " + paramValue);
} @AfterReturning(returning = "ret" , pointcut = "pointcut()")
public void doAfterReturning(Object ret){
System.out.println("------log aop doAfterReturning begin");
}
}
说明:这两个aspect用Order注解来指定执行的先后顺序,
值越小执行顺序越靠前
4,过滤器和拦截器的代码因为功能基本一致,为节省篇幅,不再贴出,
大家可以从github上访问:
https://github.com/liuhongdi/costtime
五,测试启动顺序的效果
1,访问url:
http://127.0.0.1:8080/home/home?v=1
查看控制台的输出:
----------------log filter doFilter begin
===执行过滤器功能
log filter URL : http://127.0.0.1:8080/home/home
log filter PARAM : v=1
log filter HTTP_METHOD : GET
log filter IP : 127.0.0.1
----------------time filter doFilter begin---------------time interceptor preHandle
[interceptor] request parameters: name:v;value:1
---------------log interceptor preHandle
[interceptor] request parameters: name:v;value:1------log aop around begin
------log aop doBefore begin
log aop URL : http://127.0.0.1:8080/home/home
log aop PARAM : v=1
log aop HTTP_METHOD : GET
log aop IP : 127.0.0.1
log aop METHOD CLASS : com.costtime.demo.controller.HomeController
log aop METHOD NAME: homeMethod
log aop METHOD ARGS : parameter:version;value:1
------costtime aop around begin
------costtime aop doBefore begin
------costtime aop doAfterReturning begin
costtime aop 方法doafterreturning:毫秒数:1027
costtime aop 方法around:微秒数:1027548
------costtime aop around end
------log aop doAfterReturning begin
------log aop around end
---------------log interceptor postHandle
---------------time interceptor postHandle
time interceptor 方法 postHandle:毫秒数:1108
---------------log interceptor afterCompletion
---------------time interceptor afterCompletion
timefilter: /home/home costtime: 1128ms
----------------time filter doFilter end
----------------log filter doFilter end
2,可以看到:
大类的启动顺序是:
filter
interceptor
aop
3,可以看到
filter的启动顺序,是按我们在config中设定的order顺序
interceptor的启动顺序,是addInterceptor到registry的顺序
同一个interceptor内部:执行顺序是: preHandle,postHandle,afterCompletion
aop的启动顺序:是我们在Order注解中指定的顺序
同一个aop内部:around比dobefore启动更早
六,查看spring boot的版本
. ____ _ __ _ _
/\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
\\/ ___)| |_)| | | | | || (_| | ) ) ) )
' |____| .__|_| |_|_| |_\__, | / / / /
=========|_|==============|___/=/_/_/_/
:: Spring Boot :: (v2.3.1.RELEASE)
spring boot:多个filter/多个interceptor/多个aop时设置调用的先后顺序(spring boot 2.3.1)的更多相关文章
- 非spring组件servlet、filter、interceptor中注入spring bean
问题:在filter和interceptor中经常需要调用Spring的bean,filter也是配置在web.xml中的,请问一下这样调用的话,filter中调用Spring的某个bean,这个be ...
- [转] Spring Boot实战之Filter实现使用JWT进行接口认证
[From] http://blog.csdn.net/sun_t89/article/details/51923017 Spring Boot实战之Filter实现使用JWT进行接口认证 jwt(j ...
- 曹工说Spring Boot源码(16)-- Spring从xml文件里到底得到了什么(aop:config完整解析【上】)
写在前面的话 相关背景及资源: 曹工说Spring Boot源码(1)-- Bean Definition到底是什么,附spring思维导图分享 曹工说Spring Boot源码(2)-- Bean ...
- spring cloud gateway之filter篇
转载请标明出处: https://www.fangzhipeng.com 本文出自方志朋的博客 在上一篇文章详细的介绍了Gateway的Predict,Predict决定了请求由哪一个路由处理,在路由 ...
- Spring MVC中各个filter的用法
转载:http://blog.csdn.net/qyp1314/article/details/42023725 Spring MVC中各个filter的用法 2014-12-19 09:08 105 ...
- Spring Cloud Zuul网关 Filter、熔断、重试、高可用的使用方式。
时间过的很快,写springcloud(十):服务网关zuul初级篇还在半年前,现在已经是2018年了,我们继续探讨Zuul更高级的使用方式. 上篇文章主要介绍了Zuul网关使用模式,以及自动转发机制 ...
- spring boot继承web和mybatis时,调用接口删除记录出现的空指针以及解决办法
前两天在学spring boot的时候,出现了一个很奇怪的错误,因为是第一次使用spring boot,所以没想到会遇到这种莫名其妙的bug,即调用接口删除数据库中一条记录的时候,数据库中记录事实上以 ...
- JAVA Spring MVC中各个filter的用法
spring mvc的org.springframework.web.filter包下的Java文件如下: 类的结构如下: AbstractRequestLoggingFilter及其子类 Abstr ...
- Filter(过滤器)与Interceptor(拦截器)的区别
Filter能够对请求和响应资源进行拦截: Interceptor只针对请求进行拦截 在 Struts2中: (1)拦截器是基于java反射机制的,而过滤器是基于函数回调的. (2)过滤器依赖与ser ...
随机推荐
- js垃圾回收和内存泄漏
js垃圾回收和内存泄漏 js垃圾回收 Js具有自动垃圾回收机制.垃圾收集器会按照固定的时间间隔周期性的执行. 1.标记清除(常用) 工作原理:是当变量进入环境时,将这个变量标记为"进入环境& ...
- vue项目Windows Server服务器部署IIS设置Url重写
1.将vue项目使用npm run build命令打包后将dist文件夹内的文件全部拷贝到服务器. 2.IIS添加应用程序池,.NET CLR版本选择无托管代码 3.添加网站,应用程序池选择刚刚添加的 ...
- HTTP协议(二)---请求和响应
HTTP通过请求和响应的交换达成通信. HTTP请求 请求报文由请求行(请求方法.请求URI.协议版本).请求首部字段以及内容实体(可能没有)构成. 下面是一个GET请求,没有内容实体: 下面是 一个 ...
- 深入理解SVM,详解SMO算法
今天是机器学习专题第35篇文章,我们继续SVM模型的原理,今天我们来讲解的是SMO算法. 公式回顾 在之前的文章当中我们对硬间隔以及软间隔问题都进行了分析和公式推导,我们发现软间隔和硬间隔的形式非常接 ...
- robotframework获取Token
公司做接口自动化,但是其他接口调用都需要传入token,所以首要目标是把token读取出来. 需要清楚以下内容: 1.登录使用post请求 2.https协议,且登录后需手工验证SSL证书,默认处于不 ...
- 【思维】The Four Dimensions of Thinking :长线思维的力量
"经历过这些苦难之后,我拥抱了一种新的人生哲学,就是更多地关注在那些长期可以获得复利的小收获上,而不是那种频繁的短跑冲刺和精力消耗". 斯坦福教授,著名的心理学家Philip Zi ...
- Java基础一篇过(六)Java8--lambda表达式
一.简介 lambda表达式是Java8的一个重要特性,也可以称为闭包,常用于配合Java8的Stream对集合元素进行操作,使得代码更简介紧凑. 二.代码解析 虽说lambda表达式是一个新的特性, ...
- MyBatis学习(三)日志输出环境配置
一.编写日志输出环境配置文件 在开发过程中,最重要的就是在控制台查看程序输出的日志信息,在这里我们选择使用 log4j 工具来输出: 准备工作:将[MyBatis]文件夹下[lib]中的 log4j ...
- jdk在linux下安装、配置环境变量
1.jdk下载: 下载地址:https://www.oracle.com/java/technologies/javase-downloads.html 2. 3. 4.解压jdk到/usr/loca ...
- spring:spring再总结(ioc、aop、DI等)
IOC(Inversion of Control),即"控制反转",不是一种技术而是一种思想 1.IOC的理解 Ioc意味着将你设计好的对象交给容器控制,而不是传统的在你的对象内部 ...