首先,在pom.xml中添加依赖
org.springframework.boot
spring-boot-starter-aop
1.相关注解
@Before 前置通知,在方法执行之前执行
@After 后置通知,在方法执行之后执行
@AfterRuturning 返回通知,在方法返回结果之后执行
@AfterThrowing 异常通知,在方法抛出异常之后执行
@Around 环绕通知,围绕着方法执行
2.PointCut 表达式详解
PointCut是指哪些方法需要被执行"AOP",PointCut表达式可以有一下几种方式
2.1 execution:
一般用于指定方法的执行一般用于指定方法的执行
格式:execution( 方法类型(public等,可省略) 方法的返回值类型 包路径(可省略) 方法的名称(参数) 异常类型(可省略) )
方法类型包含Public,Protected等,可省略
方法返回值类型,*可以包含所有的返回值类型
包路径,如“com.demo…*”,表示"com.demo"包以及该包之下子包的所有类型
方法名称,如“add*”,表示所有以add开头的方法,参数:(*)表示任意一个参数,(…)表示所有参数
异常类型,如execution(* *(…) throws Exception)”匹配所有抛出Exception的方法。
2.1 within:
是用来指定类型的,指定类型中的所有方法将被拦截是用来指定类型的,指定类型中的所有方法将被拦截
within(com.demo.service.impl.UserServiceImpl) 匹配UserServiceImpl类对应对象的所有方法调用,并且只能是UserServiceImpl对象,不能是它的子对象
within(com.demo…*)匹配com.demo包及其子包下面的所有类的所有方法的外部调用。
2.3. this:
SpringAOP是基于代理的,this就代表代理对象,语法是this(type),当生成的代理对象可以转化为type指定的类型时表示匹配。
this(com.demo.service.IUserService)匹配生成的代理对象是IUserService类型的所有方法的外部调用
2.4. target:
SpringAOP是基于代理的,target表示被代理的目标对象,当被代理的目标对象可以转换为指定的类型时则表示匹配。
target(com.demo.service.IUserService) 匹配所有被代理的目标对象能够转化成IuserService类型的所有方法的外部调用。
2.5 args:
args用来匹配方法参数
args() 匹配不带参数的方法
args(java.lang.String) 匹配方法参数是String类型的
args(…) 带任意参数的方法
args(java.lang.String,…) 匹配第一个参数是String类型的,其他参数任意。最后一个参数是String的同理。
2.6 @within 和 @target
带有相应标注的所有类的任意方法,比如@Transactional
@within(org.springframework.transaction.annotation.Transactional)
@target(org.springframework.transaction.annotation.Transactional)
2.7 @annotation:
带有相应标注的任意方法,比如@Transactional
@annotation(org.springframework.transaction.annotation.Transactional)
@within和@target针对类的注解,@annotation针对方法的注解
2.8 @args:
参数带有相应标注的任意方法,比如@Transactional
@args(org.springframework.transaction.annotation.Transactional)
3.PointCut使用
3.1基本使用
//PointCut表达式
@Pointcut("execution(public * com.example.demo.controller.UserController.*(..))")
//PointCut签名
public void log(){
}
//下面直接调用log(),相当于直接使用上面的表达式,简化代码
@After("log()")
public void doAfter(){
logger.info("222222222");
}
3.2PointCut中的运算符
PointCut中可以使用&&、||、!运算
@Pointcut("execution(public * com.example.demo.controller.UserController.*(..))")
public void cutController(){
}
@Pointcut("execution(public * com.example.demo.Service.UserService.*(..))")
public void cutService(){
}
//使用 && 运算符,则cutAll()的作用等同于 cutController 和 cutService 之和
@Pointcut("cutController() && cutService()")
public void cutAll(){
}