深度解析 Spring 源码:探秘 CGLIB 代理的奥秘
// 假设我们有一个简单的接口和实现类
public interface SimpleInterface {
void doSomething();
}
public class SimpleInterfaceImpl implements SimpleInterface {
@Override
public void doSomething() {
System.out.println("Doing something...");
}
}
// 使用CGLIB创建代理对象的示例
import net.sf.cglib.proxy.Enhancer;
import net.sf.cglib.proxy.MethodInterceptor;
import net.sf.cglib.proxy.MethodProxy;
import java.lang.reflect.Method;
public class CglibProxyExample {
public static SimpleInterface createProxy(final SimpleInterface simpleImpl) {
Enhancer enhancer = new Enhancer();
enhancer.setSuperclass(SimpleInterfaceImpl.class);
enhancer.setCallback(new MethodInterceptor() {
@Override
public Object intercept(Object obj, Method method, Object[] args, MethodProxy proxy) throws Throwable {
System.out.println("Before method invocation: " + method.getName());
Object result = proxy.invokeSuper(obj, args); // 调用实际方法
System.out.println("After method invocation: " + method.getName());
return result;
}
});
SimpleInterface proxy = (SimpleInterface) enhancer.create();
return proxy;
}
public static void main(String[] args) {
SimpleInterface proxy = createProxy(new SimpleInterfaceImpl());
proxy.doSomething();
}
}
这段代码展示了如何使用CGLIB来创建一个代理对象。在createProxy
方法中,我们使用了Enhancer
来生成指定类的子类,并且通过设置一个MethodInterceptor
来拦截方法调用。在main
方法中,我们创建了代理对象并调用了其doSomething
方法,观察输出可以看到方法调用前后的打印信息。这是AOP(面向切面编程)中常用的一种技术,可以用来实现如日志记录、性能监控等功能。
评论已关闭