AspectJ,如何获取方法调用的行号

AspectJ, how to get line number of a method invocation

我正在尝试编写一个方面来捕获所有方法的执行并检索调用这些方法的行号。 例如,如果我有:

public class MyMainClass {
    public static void main(String[] args){
        MyArray m = new MyArray(5);
        m.setValue //...
        //...
    }
}

我想编写一个切入点和一个建议,能够获取调用方法 setValue 的行(即第 4 行),而不是实现该方法的源代码行(可通过 thisJoinPoint.getSourceLocation().getLine()).

有什么办法吗? 谢谢!

更新:我刚刚发现这段代码:

StackTraceElement[] trace = Thread.currentThread().getStackTrace();
System.out.println("[AspectJ]LineNumber: " + trace[trace.length-1].getLineNumber());

打印最后一个方法调用行号,问题是当方法实现内部有方法调用时它没有用(因为,在那种情况下我应该减少跟踪元素的位置,但我不知道如何了解何时执行此操作)。

您是否尝试过类似获取行号的操作...

Thread.currentThread().getStackTrace()[2].getLineNumber();

您可能需要根据您的 JVM 版本验证数组索引(例如在本例中为 2)的位置。

下次,如果您有 AspectJ 问题,请分享您的方面代码,我不得不猜测您的情况出了什么问题。但是没关系,这很简单:如果您从执行方法而不是调用方法获取源位置,则您使用了 execution() 切入点,而您需要 call() 切入点,另请参见first paragraph here.

顺便说一句,在 AspectJ 中,您不需要手动检查堆栈跟踪,您只需使用 thisJoinPoint.getSourceLocation()。你最初的那部分想法是正确的。您只是输入了错误的切入点类型。

Driver 应用程序 + 助手 class:

package de.scrum_master.app;

public class MyMainClass {
  public static void main(String[] args) {
    MyArray m = new MyArray(5);
    m.setValue(2, 11);
  }
}
package de.scrum_master.app;

public class MyArray {
  public MyArray(int i) {
    // dummy
  }

  public void setValue(int i, int j) {
    // dummy
  }
}

原生 AspectJ 语法中的方面:

package de.scrum_master.aspect;

import de.scrum_master.app.MyArray;

public aspect MyAspect {
  before() : call(* MyArray.setValue(..)) {
    System.out.println(thisJoinPoint + " -> " + thisJoinPoint.getSourceLocation());
  }
}

控制台日志:

call(void de.scrum_master.app.MyArray.setValue(int, int)) -> MyMainClass.java:6

我更喜欢原生语法,但如果你更喜欢奇怪的 annotation-based @AspectJ 语法,你需要在切入点内使用完全限定的 class 名称,这是等效的方面:

package de.scrum_master.aspect;

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;

@Aspect
public class MyAspect {
  @Before("call(* de.scrum_master.app.MyArray.setValue(..))")
  public void logSourceLocation(JoinPoint thisJoinPoint) {
    System.out.println(thisJoinPoint + " -> " + thisJoinPoint.getSourceLocation());
  }
}

如果您有任何 follow-up 问题,请随时提出,但请表达得更清楚。很难理解你到底在问什么。