在Java中,可以通過使用java.lang.reflect.Proxy
類來實現動態代理。
首先,需要定義一個接口,代表被代理類和代理類都需要實現的方法。
public interface Subject {
void doSomething();
}
然后,創建一個實現了該接口的被代理類。
public class RealSubject implements Subject {
public void doSomething() {
System.out.println("RealSubject do something");
}
}
接下來,創建一個代理類,實現InvocationHandler
接口,并覆蓋它的invoke
方法。
import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
public class ProxyHandler implements InvocationHandler {
private Object target;
public ProxyHandler(Object target) {
this.target = target;
}
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
// 在調用被代理類的方法之前,可以添加一些前置處理
System.out.println("Before calling the method");
// 調用被代理類的方法
Object result = method.invoke(target, args);
// 在調用被代理類的方法之后,可以添加一些后置處理
System.out.println("After calling the method");
return result;
}
}
最后,使用Proxy.newProxyInstance
方法創建代理對象。
public class Main {
public static void main(String[] args) {
RealSubject realSubject = new RealSubject();
ProxyHandler proxyHandler = new ProxyHandler(realSubject);
// 創建代理對象
Subject proxySubject = (Subject) Proxy.newProxyInstance(
realSubject.getClass().getClassLoader(),
realSubject.getClass().getInterfaces(),
proxyHandler);
// 調用代理對象的方法
proxySubject.doSomething();
}
}
運行上述代碼,將會輸出以下結果:
Before calling the method
RealSubject do something
After calling the method
可以看到,通過動態代理,我們可以在調用被代理類的方法之前和之后添加一些額外的邏輯處理。