我需要使用Java和Rhino在Javascript文件中搜索特定Javascript函数的所有实例。我已成功使用访问者模式浏览所有出现的函数调用(请参阅下面的代码),但我无法检索已调用函数的名称。这是正确的方法吗?
package it.dss.javascriptParser;
import java.io.FileReader;
import java.io.IOException;
import java.io.Reader;
import org.mozilla.javascript.Parser;
import org.mozilla.javascript.ast.AstNode;
import org.mozilla.javascript.ast.FunctionCall;
import org.mozilla.javascript.ast.NodeVisitor;
public class JavascriptParser {
public static void main(String[] args) throws IOException {
class Printer implements NodeVisitor {
public boolean visit(AstNode node) {
if (node instanceof FunctionCall) {
// How do I get the name of the function being called?
}
return true;
}
}
String file = "/dss2.js";
Reader reader = new FileReader(file);
try {
AstNode node = new Parser().parse(reader, file, 1);
node.visit(new Printer());
} finally {
reader.close();
}
}
}
答案 0 :(得分:3)
FunctionCall类表示只调用函数,其目标是函数名(org.mozilla.javascript.ast.Name)。
要获取调用函数的名称:
AstNode target = ((FunctionCall) node).getTarget();
Name name = (Name) target;
System.out.println(name.getIdentifier());
答案 1 :(得分:2)
从FunctionCall
您可以通过执行以下操作来检索函数名称:
((FunctionCall) node).getTarget().getEnclosingFunction().getFunctionName();
注意:匿名函数将返回null
。
根据函数名称和访问者模式,您可以轻松找到任何命名的函数的出现次数。