3

我正在使用 byte-buddy 在 Ignite 之上构建一个 ORM,我们需要向一个类添加一个字段,然后在方法拦截器中访问它。

所以这是一个例子,我在一个类中添加一个字段

final ByteBuddy buddy = new ByteBuddy();

final Class<? extends TestDataEnh> clz =  buddy.subclass(TestDataEnh.class)
        .defineField("stringVal",String.class)
        .method(named("setFieldVal")).intercept(
            MethodDelegation.to(new SetterInterceptor())
    )
    .make()
    .load(getClass().getClassLoader(), ClassLoadingStrategy.Default.WRAPPER)
    .getLoaded();

final TestDataEnh enh = clz.newInstance();

enh.getFieldVal();
enh.setFieldVal();

System.out.println(enh.getClass().getName());

而拦截器是这样的

public class SetterInterceptor {
    @RuntimeType
    public  Object intercept() {
        System.out.println("Invoked method with: ");
        return null;
    }
}

那么如何将新字段的值输入拦截器,以便更改它的值?(字符串值)

提前致谢

4

1 回答 1

1

您可以使用 aFieldProxy按名称访问字段。您需要安装 aFieldProxy.Binder并在其上注册,MethodDdelegation然后才能使用它,因为它需要自定义类型来进行类型安全检测。javadoc解释了如何做到这一点。或者,您可以通过使用在实例上使用反射@This。JVM 在优化反射的使用方面非常有效。

一个例子是:

interface FieldGetter {
  Object getValue();
}

interface FieldSetter {
  void setValue(Object value);
}

public class SetterInterceptor {
  @RuntimeType
  public  Object intercept(@FieldProxy("stringVal") FieldGetter accessor) {
    Object value = accessor.getValue();
    System.out.println("Invoked method with: " + value);
    return value;
  }
}

对于 bean 属性,FieldProxy注解不需要显式名称,而是从截获的 getter 或 setter 的名称中发现名称。

安装可以如下进行:

MethodDelegation.to(SetterInterceptor.class)
                .appendParameterBinder(FieldProxy.Binder.install(FieldGetter.class, 
                                                                 FieldSetter.class));
于 2016-01-31T11:33:11.420 回答