概述
在设计模式中,适配器模式(英语:adapter pattern)有时候也称包装样式或者包装(wrapper)。将一个类的接口转接成用户所期待的。一个适配使得因接口不兼容而不能在一起工作的类工作在一起,做法是将类自己的接口包裹在一个已存在的类中。
适配器分类
适配器分为,类适配器、对象适配、接口适配方式
类适配器方式采用继承方式,对象适配方式使用构造函数传递
适配器应用场景
1、我们在使用第三方的类库,或者说第三方的API的时候,我们通过适配器转换来满足现有系统的使用需求。
2、我们的旧系统与新系统进行集成的时候,我们发现旧系统的数据无法满足新系统的需求,那么这个时候,我们可能需要适配器,完成调用需求。
3、我们在使用不同数据库之间进行数据同步。(我这里只是分析的是通过程序来说实现的时候的情况。还有其他的很多种方式[数据库同步])。
适配器案例
我们就拿日本电饭煲的例子进行说明,日本电饭煲电源接口标准是110V电压,而中国标准电压接口是220V,所以要想在中国用日本电饭煲,需要一个电源转换器。
220V电源接口
/**
* 220V电源接口
*/
public interface China220VInterface {
public void connect();
}
220V电源接口的实现
public class China220VInterfaceImpl implements China220VInterface{
@Override
public void connect() {
System.out.println("中国的220V电压开始工作...");
}
}
110V电源接口
public interface Japan110VInterface {
public void connect();
}
110V电源接口的实现
public class Japan110VInterfaceImpl implements Japan110VInterface{
@Override
public void connect() {
System.out.println("日本的110V电压开始工作...");
}
}
日本电饭煲类
/**
* 日本的电饭煲类
*/
public class ElectricCooker {
private Japan110VInterface japan110VInterface;
public ElectricCooker(Japan110VInterface japan110VInterface) {
this.japan110VInterface = japan110VInterface;
}
public void work(){
// 连接电源
japan110VInterface.connect();
System.out.println("日本的电饭煲开始正常工作...");
}
}
电源适配器类
/**
* 适配器类
*/
public class PowerAdapter implements Japan110VInterface{
private China220VInterface china220VInterface;
public PowerAdapter(China220VInterface china220VInterface) {
this.china220VInterface = china220VInterface;
}
@Override
public void connect() {
china220VInterface.connect();
}
}
测试类
public class AdapterPatternTest {
public static void main(String[] args) {
// 220V电源接口
China220VInterface china220VInterface = new China220VInterfaceImpl();
// 适配器接口
PowerAdapter powerAdapter = new PowerAdapter(china220VInterface);
// 日本电饭煲工作
ElectricCooker electricCooker = new ElectricCooker(powerAdapter);
electricCooker.work();
}
}
结果输出
中国的220V电压开始工作...
日本的电饭煲开始正常工作...