2

我有一个这样实现的 Java 代理:

public static void premain(String args, Instrumentation instrumentation) throws ClassNotFoundException {
    new AgentBuilder.Default()
      .type(isSubTypeOf(Object.class).and(nameStartsWith("com.my.domain")))
      .transform(new Transformer5())
      .installOn(instrumentation);
}

然后转换类:

public class Transformer5 implements AgentBuilder.Transformer {
    public DynamicType.Builder<?> transform(DynamicType.Builder<?> builder, TypeDescription typeDescription, ClassLoader classLoader) {
        return builder.method(any().and(isDeclaredBy(typeDescription)))
                      .intercept(MethodDelegation.to(Interc4.class));
    }
}

和一个拦截器:

public class Interc4 {

    static String indent = "";

    @RuntimeType
    @BindingPriority(BindingPriority.DEFAULT * 3)
    public static Object intercept(@SuperCall Callable<?> zuper, 
                                   @AllArguments Object[] allArguments, 
                                   @Origin String method) throws Exception {

        System.out.println(indent + "Intercepted4 M" + method);

        try {
            indent += "  ";
            return zuper.call();
        } finally {
            //post process
            indent = indent.substring(0, indent.length()-2);
        }

    }

}

这样做的问题是它不拦截构造函数,它也会给出这种错误

无法为接口类型定义非公共或非虚拟方法“lambda$static$1”

什么是制作拦截器的最佳方法,它将代理某个域中的类中的每个方法(我希望能够获取方法名称,检查方法参数(如果有的话)并且只是转发执行)。

4

1 回答 1

3

发生的事情有两个原因。

  1. Cannot define non-public or non-virtual method 'lambda$static$1' for interface type是由 Byte Buddy 中的验证错误引起的。我将在下一个版本中解决这个问题。同时,您可以通过 禁用验证new AgentBuilder.Default(new ByteBuddy().with(TypeValidation.DISABLED))

  2. 您仅通过匹配 via 显式拦截方法.method( ... )。您可以拦截构造函数.constructor( ... )或任何可调用的构造函数.invokable( ... )。但是,您将无法将拦截器用于必须对超级方法调用进行硬编码的构造函数。但是,您可以将拦截器分成两部分:

    class Interceptor {
      public static void before() { ... }
      public static void after() { ... }
    }
    

    使用

    .intercept(MethodDelegation.to(Interceptor.class).filter(named("before")
       .andThen(SuperMethodCall.INSTANCE
       .andThen(MethodDelegation.to(Interceptor.class).filter(named("after"))))
    

这样,Byte Buddy 可以对超级构造函数调用进行硬编码,同时触发beforeandafter方法。请注意,该@This注解不适用于该before方法。

于 2016-07-24T23:23:12.730 回答