一、适配器模式简介
1. 定义
适配器模式(Adapter Pattern)将一个类的接口转换成客户希望的另外一个接口,该设计模式属于结构型模式。Adapter模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。
2. 模式组成
- 目标接口(Target):客户所期待的接口,可以是具体或抽象的类,也可以是接口;
- 需要适配的类(Adaptee):需要适配的类;
- 适配器(Adapter):通过包装一个需要适配的对象,把原接口转换成目标接口。
3. 分类
- 类的适配器模式(采用继承实现)
- 对象适配器模式(采用对象组合方式实现)
二、类的适配器模式
类适配器模式,Adapter适配器类既继承了Adaptee(被适配类),又实现了目标接口。
/**
* 目标接口(Target)
*/
public interface Target {
public void request();
}
/**
* 需要适配的类(Adaptee)
*/
public class Adaptee {
public void specificRequest() {
System.out.println("specificRequest");
}
}
/**
* 类的适配器(Adapter)
*/
public class Adapter extends Adaptee implements Target {
@Override
public void request() {
this.specificRequest();
}
}
测试代码如下:
private void testAdapter() {
Target adapter = new Adapter();
adapter.request();
}
三、对象适配器模式
与类的适配器模式不同的是,对象适配器模式是使用委派关系连接到Adaptee类,而不是使用继承关系连接到Adaptee类。
/**
* 目标接口(Target)
*/
public interface Target {
public void request();
}
/**
* 需要适配的类(Adaptee)
*/
public class Adaptee {
public void specificRequest() {
System.out.println("specificRequest");
}
}
/**
* 对象适配器(Adapter)
*/
public class Adapter implements Target {
Adaptee adaptee;
public Adapter(Adaptee adaptee) {
this.adaptee = adaptee;
}
@Override
public void request() {
adaptee.specificRequest();
}
}
测试代码如下:
private void testAdapter() {
Target adapter = new Adapter(new Adaptee());
adapter.request();
}
四、优缺点
1. 优点
- 更加简单、直接;
- 更好的复用性;
- 更好的扩展性。
2. 缺点
- 过多的使用适配器,会让系统非常零乱,不容易整体进行把握。