1

在下面的代码片段中,我doStuffSubclass. 然而,它被拦截了两次。

注意doStuff是在父类中定义的SuperClass。如果doStuff在拦截逻辑中定义SubClass将按预期工作:只有一次拦截。

我是否错误地使用了字节好友?

package com.test;

import static net.bytebuddy.matcher.ElementMatchers.any;
import static net.bytebuddy.matcher.ElementMatchers.nameStartsWith;

import java.util.concurrent.Callable;

import net.bytebuddy.agent.ByteBuddyAgent;
import net.bytebuddy.agent.builder.AgentBuilder;
import net.bytebuddy.description.type.TypeDescription;
import net.bytebuddy.dynamic.DynamicType.Builder;
import net.bytebuddy.implementation.MethodDelegation;
import net.bytebuddy.implementation.bind.annotation.RuntimeType;
import net.bytebuddy.implementation.bind.annotation.SuperCall;

import org.junit.Test;

public class ReproBugTest {

    @Test
    public void reproBug() {

        new AgentBuilder.Default().type(nameStartsWith("com.test"))
                                    .transform(new AgentBuilder.Transformer() {

                                        @Override
                                        public Builder<?> transform(
                                                Builder<?> builder,
                                                TypeDescription td) {

                                            return builder.method(any())
                                                            .intercept(
                                                                    MethodDelegation.to(MethodInterceptor.class));
                                        }
                                    })
                                    .installOn(
                                            ByteBuddyAgent.installOnOpenJDK());

        SubClass subClass = new SubClass();
        subClass.doStuff();
    }
}

class SuperClass {
    public void doStuff() {
        System.out.println("Doing stuff...");
    }
}

class SubClass extends SuperClass {
}

class MethodInterceptor {

    @RuntimeType
    public static Object intercept(@SuperCall Callable<?> zuper)
            throws Exception {

        // Intercepted twice, bug?
        System.out.println("Intercepted");

        Object returnValue = zuper.call();

        return returnValue;
    }
}
4

1 回答 1

1

您正在拦截每种类型的方法调用,即两者SubclassSuperClass. 您需要进一步指定拦截器以拦截哪些方法。在您的情况下,您只想拦截由给定类型声明的方法。

这很容易实现。而不是builder.method(any()),你应该拦截builder.method(isDeclaredBy(td))。这样,一个方法只有在被拦截类型声明时才会被拦截。

最后,我可以从您的源代码中看到您使用的是旧版本的 Byte Buddy。0.7-rc6版运行稳定,具有附加功能并修复了几个错误。(但是,一些 API 仍然需要更改。)

于 2015-11-02T07:53:45.460 回答