Java怎么实现动态代理?
Java中实现动态代理主要依赖于java.lang.reflect.Proxy
类和java.lang.reflect.InvocationHandler
接口。动态代理可以用于在运行时创建代理类及其实例。以下是一个简单的动态代理示例:
首先,定义一个接口:
public interface SomeInterface {void doSomething();String doAnotherThing(String input);
}
接下来,实现该接口的实际类:
public class SomeClass implements SomeInterface {public void doSomething() {System.out.println("Doing something...");}public String doAnotherThing(String input) {System.out.println("Doing another thing with input: " + input);return "Result for " + input;}
}
然后,编写一个实现InvocationHandler
接口的类,用于处理代理对象的方法调用:
import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;public class MyInvocationHandler implements InvocationHandler {private Object target;public MyInvocationHandler(Object target) {this.target = target;}public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {System.out.println("Before invoking method: " + method.getName());// 实际方法调用Object result = method.invoke(target, args);System.out.println("After invoking method: " + method.getName());return result;}
}
最后,使用Proxy.newProxyInstance
方法创建代理对象:
import java.lang.reflect.Proxy;public class DynamicProxyExample {public static void main(String[] args) {SomeInterface realObject = new SomeClass();// 创建代理对象SomeInterface proxy = (SomeInterface) Proxy.newProxyInstance(SomeInterface.class.getClassLoader(),new Class[] { SomeInterface.class },new MyInvocationHandler(realObject));// 调用代理对象的方法proxy.doSomething();String result = proxy.doAnotherThing("Hello");System.out.println("Result: " + result);}
}
在这个例子中,Proxy.newProxyInstance
方法创建了一个代理对象,该代理对象实现了SomeInterface
接口,并且调用该代理对象的方法时,MyInvocationHandler
中的invoke
方法会被调用。通过在invoke
方法中插入一些代码,你可以在方法调用前后执行一些额外的逻辑。