适配器模式:将两个不兼容的类纠合在一起
当我们需要将一个类的接口转换成客户端所期望的另一个接口时,就可以使用适配器模式。适配器模式可以让原本不兼容的类能够协同工作。
在适配器模式中,适配器作为一个中间层,将一个或多个类的接口转换成客户端所期望的接口。这样,客户端就可以通过适配器来调用原本不兼容的类,而无需修改客户端的代码。
适配器模式分为两种:类适配器和对象适配器。类适配器使用继承来实现适配器功能,对象适配器使用组合来实现。
适配器模式广泛应用于系统集成中,特别是在处理遗留代码时非常有用。
示例代码:类适配器
// 目标接口
interface Target {
public void request();
}
// 被适配者类
class Adaptee {
public void specificRequest() {
System.out.println("执行被适配者的特殊请求。");
}
}
// 适配器类
class Adapter extends Adaptee implements Target {
public void request() {
specificRequest();
}
}
// 客户端代码
public class Client {
public static void main(String[] args) {
Target target = new Adapter();
target.request();
}
}
在上面的示例代码中,Target 接口定义了客户端所期望的接口,Adaptee 类提供了另一种接口,而 Adapter 类则将 Adaptee 类的接口转换为 Target 接口。
示例代码:对象适配器
// 目标接口
interface Target {
public void request();
}
// 被适配者类
class Adaptee {
public void specificRequest() {
System.out.println("执行被适配者的特殊请求。");
}
}
// 适配器类
class Adapter implements Target {
private Adaptee adaptee;
public Adapter(Adaptee adaptee) {
this.adaptee = adaptee;
}
public void request() {
adaptee.specificRequest();
}
}
// 客户端代码
public class Client {
public static void main(String[] args) {
Adaptee adaptee = new Adaptee();
Target target = new Adapter(adaptee);
target.request();
}
}
Target 接口定义了客户端所期望的接口,Adaptee 类提供了另一种接口,而 Adapter 类则将 Adaptee 类的接口转换为 Target 接口。和类适配器不同的是,对象适配器使用对象组合而不是继承来适配不同的接口。