有没有办法弄清楚是否在运行JVM中调用了一个方法。假设我有以下方法信息,我想知道它是否曾被调用过:
"methodId": {
"className": "InvokerParser",
"filePath": "org/foo/commons/functors/InvokerParserformer.java",
"methodName": "parser"
}
如果应用程序在HotSpot JVM上运行,则可以使用HotSpot Serviceability Agent获取有关给定方法的信息。
这是一个工具,用于检查是否已在正在运行的JVM中调用该方法。
import sun.jvm.hotspot.oops.InstanceKlass;
import sun.jvm.hotspot.oops.Method;
import sun.jvm.hotspot.runtime.VM;
import sun.jvm.hotspot.tools.Tool;
public class CheckMethodCall extends Tool {
private static final String className = "java/util/HashMap";
private static final String methodName = "get";
private static final String methodSig = "(Ljava/lang/Object;)Ljava/lang/Object;";
@Override
public void run() {
boolean[] result = new boolean[2];
VM.getVM().getSystemDictionary().classesDo(klass -> {
if (klass.getName().asString().equals(className)) {
Method method = ((InstanceKlass) klass).findMethod(methodName, methodSig);
if (method != null) {
result[0] = true;
result[1] = method.getMethodCounters() != null &&
method.getInvocationCount() + method.interpreterInvocationCount() > 0;
}
}
});
if (!result[0]) {
System.out.println("Method not found");
} else if (result[1]) {
System.out.println("Method has been called");
} else {
System.out.println("Method has NOT been called");
}
}
public static void main(String[] args) {
new CheckMethodCall().execute(args);
}
}
它需要在类路径中使用sa-jdi.jar
(随JDK 8一起提供)。
跑
java -cp $JAVA_HOME/lib/sa-jdi.jar:. CheckMethodCall <pid>
其中<pid>
是要检查的Java进程ID。
UPDATE
JDK 11+的类似工具
使用--add-modules=jdk.hotspot.agent
并导出所有必需的包。
import sun.jvm.hotspot.oops.InstanceKlass;
import sun.jvm.hotspot.oops.Klass;
import sun.jvm.hotspot.oops.Method;
import sun.jvm.hotspot.runtime.VM;
import sun.jvm.hotspot.tools.Tool;
public class CheckMethodCall extends Tool {
private static final String className = "java/util/HashMap";
private static final String methodName = "get";
private static final String methodSig = "(Ljava/lang/Object;)Ljava/lang/Object;";
@Override
public void run() {
Klass klass = VM.getVM().getClassLoaderDataGraph().find(className);
if (klass == null) {
System.out.println("Class not found");
return;
}
Method method = ((InstanceKlass) klass).findMethod(methodName, methodSig);
if (method == null) {
System.out.println("Method not found");
return;
}
boolean called = method.getMethodCounters() != null &&
method.getInvocationCount() + method.interpreterInvocationCount() > 0;
System.out.println("Method " + (called ? "has been" : "has NOT been") + " called");
}
public static void main(String[] args) {
new CheckMethodCall().execute(args);
}
}