在Java中实现代理模式有两种常见的方式:静态代理和动态代理。
// 接口
interface Image {
void display();
}
// 被代理类
class RealImage implements Image {
private String fileName;
public RealImage(String fileName) {
this.fileName = fileName;
loadFromDisk();
}
private void loadFromDisk() {
System.out.println("Loading image from disk: " + fileName);
}
public void display() {
System.out.println("Displaying image: " + fileName);
}
}
// 代理类
class ProxyImage implements Image {
private RealImage realImage;
private String fileName;
public ProxyImage(String fileName) {
this.fileName = fileName;
}
public void display() {
if (realImage == null) {
realImage = new RealImage(fileName);
}
realImage.display();
}
}
// 使用示例
public class Main {
public static void main(String[] args) {
Image image = new ProxyImage("test.jpg");
image.display();
}
}
java.lang.reflect.Proxy
类和java.lang.reflect.InvocationHandler
接口来实现。以下是一个简单的动态代理示例:import java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
import java.lang.reflect.Proxy;
// 接口
interface Image {
void display();
}
// 被代理类
class RealImage implements Image {
private String fileName;
public RealImage(String fileName) {
this.fileName = fileName;
loadFromDisk();
}
private void loadFromDisk() {
System.out.println("Loading image from disk: " + fileName);
}
public void display() {
System.out.println("Displaying image: " + fileName);
}
}
// InvocationHandler实现
class ImageInvocationHandler implements InvocationHandler {
private Image image;
public ImageInvocationHandler(Image image) {
this.image = image;
}
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
System.out.println("Before method " + method.getName());
Object result = method.invoke(image, args);
System.out.println("After method " + method.getName());
return result;
}
}
// 使用示例
public class Main {
public static void main(String[] args) {
Image realImage = new RealImage("test.jpg");
Image dynamicProxy = (Image) Proxy.newProxyInstance(
realImage.getClass().getClassLoader(),
realImage.getClass().getInterfaces(),
new ImageInvocationHandler(realImage));
dynamicProxy.display();
}
}
无论是静态代理还是动态代理,代理类都可以在被代理类的方法前后加入额外的逻辑,实现对被代理类的控制和增强。动态代理相对于静态代理的优势在于可以简化代理类的编写,同时一个代理类可以代理多个接口。