AspectJ:在另一个方法

时间:2018-06-19 10:13:18

标签: java aspectj pointcut pointcuts

我需要帮助来写一些关于这个特殊情况的Aspectj建议:

假设我们有这个课程:

package org.group;

public class Person {

   public void method1(String id, String number) {
       //some code
       List<String> list = getList(number);
       //some code
   }

   public List<String> getList(String number) {
       return Arrays.asList(number);
   }

}

我想在method1中创建一个Aspectj建议来获取getList的结果。我试试这个:

@Pointcut("execution(* org.group.Person.getList(..))")
public void methodGetList() {

}

@AfterReturning(pointcut = "methodGetList()", returning = "result")
public void afterMethodGetList(JoinPoint joinPoint, List<String> result) {
    System.out.println("I can see the list result: " + result.toString());
}

这个建议适用于getList方法的所有执行,但我想要的是在method1调用中获取结果以获取带有method1&id;的id的信息,例如:

&#39; 我可以看到ID为XXX的人的列表结果[4] &#39;

感谢您的帮助。

1 个答案:

答案 0 :(得分:1)

您需要将切入点限制在调用方法的控制流cflow()中,并通过args()绑定调用方法的参数。

应用程序:

package org.group;

import java.util.Arrays;
import java.util.List;

public class Person {
  public void method1(String id, String number) {
    // some code
    List<String> list = getList(number);
    // some code
  }

  public List<String> getList(String number) {
    return Arrays.asList(number);
  }

  public static void main(String[] args) {
    // Should not be intercepted
    new Person().getList("22");
    // Should be intercepted
    new Person().method1("John Doe", "11");
  }
}

方面:

package de.scrum_master.aspect;

import java.util.List;

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.AfterReturning;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Pointcut;

@Aspect
public class MyAspect {
  @Pointcut("execution(* org.group.Person.getList(..))")
  public void methodGetList() {}

  @Pointcut("execution(* org.group.Person.method1(..)) && args(id, *)")
  public void methodMethod1(String id) {}

  @AfterReturning(
    pointcut = "methodGetList() && cflow(methodMethod1(id))",
    returning = "result"
  )
  public void afterMethodGetList(JoinPoint joinPoint, String id, List<String> result) {
    System.out.println(
      "I can see the list result " + result +
      " for the person with id " + id
    );
  }
}

控制台日志:

I can see the list result [11] for the person with id John Doe