在Java中,動態(tài)代理是一種設(shè)計模式,它允許我們在運行時動態(tài)地創(chuàng)建一個代理對象,用于攔截和處理對原始對象的方法調(diào)用。動態(tài)代理通常用于實現(xiàn)AOP(面向切面編程)、事務(wù)管理、日志記錄等功能。
Java動態(tài)代理主要涉及到java.lang.reflect.Proxy
類和java.lang.reflect.InvocationHandler
接口。以下是動態(tài)代理的基本步驟:
public interface MyInterface {
void doSomething();
}
public class MyInterfaceImpl implements MyInterface {
@Override
public void doSomething() {
System.out.println("Doing something...");
}
}
InvocationHandler
實現(xiàn)類。這個類負責(zé)處理代理對象上的方法調(diào)用。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;
}
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
System.out.println("Before method call...");
Object result = method.invoke(target, args);
System.out.println("After method call...");
return result;
}
}
Proxy.newProxyInstance()
方法創(chuàng)建代理對象。import java.lang.reflect.Proxy;
public class DynamicProxyDemo {
public static void main(String[] args) {
MyInterfaceImpl realObject = new MyInterfaceImpl();
MyInvocationHandler handler = new MyInvocationHandler(realObject);
MyInterface proxy = (MyInterface) Proxy.newProxyInstance(
MyInterface.class.getClassLoader(),
new Class<?>[]{MyInterface.class},
handler);
proxy.doSomething();
}
}
當(dāng)我們調(diào)用代理對象的doSomething()
方法時,實際上會被MyInvocationHandler
中的invoke()
方法攔截。在invoke()
方法中,我們可以在調(diào)用原始對象的方法之前和之后執(zhí)行自定義的操作,例如記錄日志、性能監(jiān)控等。
總結(jié)起來,動態(tài)代理允許我們在運行時動態(tài)地創(chuàng)建一個代理對象,用于攔截和處理對原始對象的方法調(diào)用。這種方式非常靈活,可以應(yīng)用于許多場景,如AOP、事務(wù)管理等。