一.前言
AOP 即面向切面编程,主要关注对哪些方法进行拦截,拦截后怎么处理.
AOP核心概念:
a.切面(aspect):类是对物体特征的抽象,切面就是对横切关注点的抽象;
b.连接点(joinpoint):被拦截到的点,因为Spring只支持方法类型的连接点,所以在Spring中连接点指的就是被拦截到的方法,实际上连接点还可以是字段或者构造器;
c.切入点(pointcut):对连接点进行拦截的定义;
d.通知(advice):指拦截到连接点之后要执行的代码,通知分为前置、后置、异常、最终、环绕通知五类.
f.目标对象:代理的目标对象
二.作用
a.日志打印:打印方法的入口参数以及返回处理好的数据,记录用户的行为,以供风控、报表等分析使用;
b.性能统计:记录的该方法处理的时延以供性能分析;
c.属性增强:如请求的数据中只有 IP 地址,可以在 AOP 中将 IP 转换成归属地;
d.异常处理:系统中异常均抛出可以在 AOP 中统一捕获处理。
三.基本使用
1.基本用法
定义公共切点
/**
* 抽取公共的切入点表达式
* 1.本类的引用
* 2.其他的切面引用
*/
@Pointcut("execution(* cn.hy.aop.service.AOPService.*(..))")
public void pointCut() {
}
a.前置通知:在目标方法运行之前运行
/**
* 前置通知:在目标方法运行之前运行
* @param joinPoint joinPoint
*/
@Before("pointCut()")
public void logStart(JoinPoint joinPoint) {
Object[] args = joinPoint.getArgs();
System.out.println("" + joinPoint.getSignature().getName() + " logStart..." + Arrays.asList(args));
}
b.后置通知:在目标方法运行结束运行(无论方法是正常结束还是异常结束)
/**
* 后置通知:在目标方法运行结束运行(无论方法是正常结束还是异常结束)
*
* @param joinPoint joinPoint
*/
@After("pointCut()")
public void logEnd(JoinPoint joinPoint) {
System.out.println("logEnd...");
}
c.返回通知:在目标方法运行正常返回通知
/**
* 返回通知:在目标方法运行正常返回通知
*
* @param result result
*/
@AfterReturning(value = "pointCut()", returning = "result")
public void logReturn(Object result) {
System.out.println("logReturn...");
}
d.异常通知:在目标方法运行出现异常通知
/**
* 异常通知:在目标方法运行出现异常通知
*
* @param exception 异常
*/
@AfterThrowing(value = "pointCut()", throwing = "exception")
public void logThrown(Exception exception) {
System.out.println("logThrown...");
}
e.环绕通知:在目标方法运行执行前后通知
/**
* 环绕通知:手动引导代码执行
*
* @param pdj 可执行体
* @return return
* @throws Throwable Throwable
*/
@Around(value = "pointCut()")
public Object logAround(ProceedingJoinPoint pdj) throws Throwable {
System.out.println("运行...参数列表是:{" + Arrays.asList(pdj.getArgs()) + "}");
return pdj.proceed();
}
2.带执行顺序的 AOP
为了解耦往往需要对请求数据的属性进行多次修改,并且想在打印日志之前执行所有的修改操作,每次修改的时又不想对之前的代码进行修改,那么就需要增加多个 AOP ,为了保证执行顺序,需要 AOP 继承 org.springframework.core.Ordered 接口,继承了 Ordered 接口之后需要覆写 getOrder() 方法,返回的数字越小,执行的顺序越靠前。
@Aspect
@Component
public class Aspect1 implements Ordered {
@Pointcut("execution(* cn.hy.aop.service.AOPService.*(..))")
public void pointCut() {
}
@Around(value = "pointCut()")
public Object logAround(ProceedingJoinPoint pdj) throws Throwable {
System.out.println(1);
return pdj.proceed();
}
@Override
public int getOrder() {
return 1;
}
}