我找到了一些示例,这些示例使用
MethodAdapter
显示某些方法调用的位置:
public void visitMethodInsn(int opcode, String owner, String name, String desc) {
if (owner.equals(targetClass)
&& name.equals(targetMethod.getName())
&& desc.equals(targetMethod.getDescriptor())) {
callsTarget = true;
}
}
我需要参数,例如,如果我有
object.getText("mykey")
我想获取文本“mykey”。
这可能吗?
我有一个 框架,你可能会发现它很有用(具体来说,
procyon-compilertools
)。它将使您能够以比 ASM 更面向对象的方式完成您所要求的事情。然而,该项目仍处于开发早期,可能会发生变化,所以我不建议在生产项目中使用它。
您可以以此为起点:
public class CallInspectionSample {
static class Target {
public static void main(String[] args) {
new Target().getText("MyKey");
}
public String getText(final String key) {
return null;
}
}
public static void main(String[] args) {
final TypeReference targetType = MetadataSystem.instance().lookupType("CallInspectionSample$Target");
final TypeDefinition resolvedType = targetType.resolve();
final MethodDefinition mainMethod = resolvedType.getDeclaredMethods().get(1);
final MethodDefinition getTextMethod = resolvedType.getDeclaredMethods().get(2);
final MethodBody mainBody = mainMethod.getBody();
final Block methodAst = new Block();
final DecompilerContext context = new DecompilerContext();
context.setCurrentType(resolvedType);
context.setCurrentMethod(mainMethod);
methodAst.getBody().addAll(AstBuilder.build(mainBody, true, context));
AstOptimizer.optimize(context, methodAst);
for (final Expression e : methodAst.getChildrenAndSelfRecursive(Expression.class)) {
if (e.getCode() == AstCode.InvokeVirtual &&
((MethodReference) e.getOperand()).resolve() == getTextMethod) {
// Analyze arguments here (skip first for instance methods)...
System.out.println(e.getArguments());
}
}
}
}
(示例输出
[initobject:Target(Target::<init>), ldc:String("MyKey")]
)
我想知道在visitMethodInsn中获取被调用函数的参数对象是否可行。