1、定义
将一个类的接口转换成客户希望的另一个接口。Adapter模式使得原本由于接口不兼容而不能一起工作的那些类的可以一起工作。
2、角色分析
- 目标接口:客户所期待的接口,目标可以是具体的或者抽象的类,也可以是接口。
- 需要适配的类:需要适配的类或适配者类。
- 适配器:通过包装一个需要适配的对象,把原接口转换成目标对象。
3、类图分析
4、优缺点分析
(1)对象适配器优点
- 一个对象适配器可以把多个不同的适配器适配到同一个目标;
- 可以适配一个适配者的子类,由于适配器和适配者之间是关联关系,根据”里氏替换“原则,适配者的子类也可通过该适配器进行适配。
(2)类适配器缺点
- 对于Java、C#等不支持多重类继承的语言,一次最多只能适配一个适配者类,不能同时适配多个适配者;
- 在Java、C#等语言中,类适配器模式中的目标抽象类只能为接口,不能为类,其使用有一定的局限性。
5、适用场景
- 系统需要使用一些现有的类,而这些类的接口(如方法名)不符合系统的需要,甚至没有这些类的源代码;
- 想创建一个可以重复使用的类,用于与一些彼此之间没有太大关联的一些类,包括一些可能在将来引进的类一起工作。
6、代码实例
需要适配的类:
1 /** 2 * @author it-小林 3 * @desc 要被适配的类:网线 4 * @date 2021年07月20日 19:59 5 */ 6 public class Adaptee { 7 8 public void request(){ 9 System.out.println("连接网线上网"); 10 } 11 }
目标接口
1 /** 2 * @author it-小林 3 * @desc 接口转换器的抽象实现 4 * @date 2021年07月20日 20:01 5 */ 6 public interface NetToUsb { 7 8 /** 9 * 10 * 作用:处理请求,网线=》usb 11 */ 12 public void handleRequest(); 13 }
类适配器
1 //1.继承(类适配器,单继承) 2 /** 3 * @author it-小林 4 * @desc 真正的适配器~ 需要链接usb, 链接网线 5 * @date 2021年07月20日 20:03 6 */ 7 public class Adapter extends Adaptee implements NetToUsb { 8 @Override 9 public void handleRequest() { 10 super.request(); 11 } 12 }
对象适配器
//2.组合(对象适配器:常用) /** * @author it-小林 * @desc 真正的适配器~ 需要链接usb, 链接网线 * @date 2021年07月20日 20:03 */ public class Adapter2 implements NetToUsb { private Adaptee adaptee; public Adapter2(Adaptee adaptee) { this.adaptee = adaptee; } @Override public void handleRequest() { adaptee.request(); } }
1 /** 2 * @author it小林 3 * @desc 客户端类:想上网,插不上网线 4 * @date 2021年07月20日 20:00 5 */ 6 public class Computer { 7 //需要链接转接器才可以上网 8 public void net(NetToUsb adapter) { 9 //上网的具体实现,找一个转接头 10 adapter.handleRequest(); 11 } 12 13 public static void main(String[] args) { 14 //电脑 适配器 网线 15 /*Computer computer = new Computer(); //电脑 16 Adaptee adaptee = new Adaptee();//网线 17 Adapter adapter = new Adapter(); //转接器 18 19 computer.net(adapter);*/ 20 21 Computer computer = new Computer(); //电脑 22 Adaptee adaptee = new Adaptee();//网线 23 Adapter2 adapter = new Adapter2(adaptee); //转接器 24 computer.net(adapter); 25 } 26 }