从AspectJ获取返回值或异常?

时间:2011-04-13 22:43:09

标签: exception return aspectj pointcut

我能够从建议的方法调用中获取签名和参数,但我无法弄清楚如何获取返回值或异常。我有点假设它可以通过某种方式使用并继续。

3 个答案:

答案 0 :(得分:14)

您可以在the following document的开头使用after() returningafter() throwing个建议。如果您使用的是@AspectJ语法,请参阅@AfterReturning@AfterThrowing注释(您可以找到示例here)。

答案 1 :(得分:7)

您还可以在返回建议后使用获取返回值。

package com.eos.poc.test;   

public class AOPDemo {
            public static void main(String[] args) {
                AOPDemo demo = new AOPDemo();
                String result= demo.append("Eclipse", " aspectJ");
           }
            public String append(String s1, String s2) {
                System.out.println("Executing append method..");
                return s1 + s2;
          }

}

获取返回值的已定义方面:

public aspect DemoAspect {
    pointcut callDemoAspectPointCut():
        call(* com.eos.poc.test.AOPDemo.append(*,*));

    after() returning(Object r) :callDemoAspectPointCut(){
        System.out.println("Return value: "+r.toString()); // getting return value

    }

答案 2 :(得分:6)

使用around()建议,您可以使用proceed()获取截获的方法调用的返回值。如果需要,您甚至可以更改方法返回的值。

例如,假设您在类m()中有方法MyClass

public class MyClass {
  int m() {
    return 2;
  }
}

假设您在自己的.aj文件中有以下方面:

public aspect mAspect {
   pointcut mexec() : execution(* m(..));

   int around() : mexec() {    
     // use proceed() to do the computation of the original method
     int original_return_value = proceed();

     // change the return value of m()
     return original_return_value * 100;
   }
}