当我有一个调用 bar() 的方法 foo() 时,如何从 MethodInvocation 节点(或方法中的任何语句/表达式)获取 foo() AST 节点?例如,我需要知道来自 b.bar() 的 IMethod foo。
public void foo()
{
b.bar();
}
当我有一个调用 bar() 的方法 foo() 时,如何从 MethodInvocation 节点(或方法中的任何语句/表达式)获取 foo() AST 节点?例如,我需要知道来自 b.bar() 的 IMethod foo。
public void foo()
{
b.bar();
}
我想出了这段代码,但我希望有更好的方法来获得结果。
public static IMethod getMethodThatInvokesThisMethod(MethodInvocation node) {
ASTNode parentNode = node.getParent();
while (parentNode.getNodeType() != ASTNode.METHOD_DECLARATION) {
parentNode = parentNode.getParent();
}
MethodDeclaration md = (MethodDeclaration) parentNode;
IBinding binding = md.resolveBinding();
return (IMethod)binding.getJavaElement();
}
在 JDT/UI 中,我们有一个辅助方法来执行此操作。看一眼org.eclipse.jdt.internal.corext.dom.ASTNodes.getParent(ASTNode, int)
另一个技巧可能是让访问者在访问 MethodInvocation 节点之前存储调用者信息:
ASTVisitor visitor = new ASTVisitor() {
public boolean visit(MethodDeclaration node) {
String caller = node.getName().toString();
System.out.println("CALLER: " + caller);
return true;
}
public boolean visit(MethodInvocation node) {
String methodName = node.getName().toString();
System.out.println("INVOKE: " + methodName);
使用另一个类类型:
public class AnotherClass {
public int getValue()
{
return 10;
}
public int moved(int x, int y)
{
if (x > 30)
return getValue();
else
return getValue();
}
}
我可以得到以下信息:
TYPE(CLASS): AnotherClass
CALLER: getValue
CALLER: moved
INVOKE: getValue
INVOKE: getValue