2.1 spring源码学习 给aop切面注解获取相关参数

注:原始学习资料来自于享学课堂

接:https://blog.csdn.net/qq_22701869/article/details/102627657

在对切面操作的时候,有时需要获取到被切面方法的参数以及执行结果等信息,具体使用发方法如下

@Aspect
public class LogAspects {
    @Pointcut("execution(public int cn.enjoy.bean.Calculator.*(..))")
    public void pointCut(){}

    @Around("pointCut()")
    public Object Around(ProceedingJoinPoint proceedingJoinPoint) 
throws  Throwable{
        System.out.println("@around 之前"+proceedingJoinPoint.getArgs());
        Object o = proceedingJoinPoint.proceed();
        System.out.println("@around之后")
        ;
        return o;
    }
    @Before("pointCut()")
    public void logStart(JoinPoint joinPoint){
        System.out.println(joinPoint.getSignature().getName()+
"方法运行-------参数列表是:{"+ Arrays.asList(joinPoint.getArgs())+"}");
    }
    @After("pointCut()")
    public void logEnd(JoinPoint joinPoint){
        System.out.println(joinPoint.getSignature().getName()+"运行结束-------");
    }
    @AfterReturning(value = "pointCut()",returning = "result")
    public void logReturn(Object result){
        System.out.println("运行正常-------结果是:{"+ result +"}");
    }
    @AfterThrowing(value = "pointCut()",throwing = "exception")
    public void logException(Exception exception){
        System.out.println("运行异常-------异常信息是:{"+exception+"}");
    }
}

执行结果

IOC容器初始化完成
@around 之前[Ljava.lang.Object;@2df3b89c
div方法运行-------参数列表是:{[4, 2]}
-----------计算除法中--------
@around之后
div运行结束-------
运行正常-------结果是:{2}

其中@After和Before使用JoinPoint获取相关参数

@Around使用ProceedingJoinPoint获取阐述

@AfterReturning使用returning = "result"
@AfterThrowing 使用throwing = "exception"

你可能感兴趣的:(Spring源码学习)