适配器模式

本文参考自: 《JAVA与模式》之适配器模式

1.作用

将一个类的接口转换成客户端所需要的另一个接口,从而使原本接口不匹配的两个类可以一起工作。

2.分类
  • 类适配器
  • 对象适配器
  • 缺省适配模式
3.类适配器

涉及的三个类

  • Adaptee: 需要被适配的类
  • Adapter: 用来适配Adaptee的适配器
  • Target: 目标类

实现方式
使用Adapter继承Adaptee,继承Adaptee中所有的方法,并增加Target所需要的方法。从而将Adaptee和Target进行适配。

具体代码
Adaptee

public class Adaptee {
    public void sampleOperation1() {
        
    }
}

Adapter

public class Adapter extends Adaptee{
    public void sampleOperation2() {
        
    }
}

Target

public class Target {
    
    public Adapter adapter;
    
    public Target(Adapter adapter) {
        this.adapter = adapter;
    }
    
    public void sampleOperation1() {
        adapter.sampleOperation1();
    }
    public void sampleOperation2() {
        adapter.sampleOperation2();
    }
    
}
4.对象适配器

涉及的三个类

  • Adaptee: 需要被适配的类
  • Adapter: 用来适配Adaptee的适配器
  • Target: 目标类

实现方式

与类适配器存在区别的地方时,在对象适配器中,Adapter采用组合的方式对Adaptee进行拓展,而不是采用继承的方法。具体看如下代码。

具体代码
Adaptee

public class Adaptee {
    public void sampleOperation1() {
        
    }

}

Adapter

public class Adapter{
    private Adaptee adaptee;
    
    public Adapter(Adaptee adaptee) {
        this.adaptee = adaptee;
    }
    
    public void sampleOperation1() {
         adaptee.sampleOperation1();
    }
    
    public void sampleOperation2() {
        
    }
}

Target

public class Target {
    private Adapter adapter;
    
    public Target(Adapter adapter) {
        this.adapter = adapter;
    }
    
    public void sampleOperation1() {
        adapter.sampleOperation1();
    }
    
    public void sampleOperation2() {
        adapter.sampleOperation2();
    }
}
5. 类适配器与对象适配器优缺点比较
    • 类适配器继承的方式对Adaptee进行适配,只能对一个类进行适配
    • 对象适配器采用组合的方式进行适配,这样可以同时适配多个源,只要将需要适配的对象传进来就行了
    • 类适配器可以更容易的对Adaptee中的方式进行更改。
    • 对象适配器不能直接更改Adaptee中的方法。想要修改的话,只能新建一个子类继承Adaptee,然后再子类中修改Adaptee中的方法,再对子类进行适配
5.缺省适配模式

作用
这是一种特殊却常用的适配器模式。
产生的原因是:对于一个接口,里面有一些方法是主要且常用的,很多子类都需要实现这类方法,但是有一些方法是不常用的,子类大部分时间不需要实现这些方法。如果子类直接实现接口,那么所有的方法都需要实现,不常用的方法就需要写一个空实现,这样就会造成很多冗余的代码。
解决办法是:用一个抽象类实现接口,覆盖里面不常用的方法,子类直接继承抽象类,这样子类就不需要实现所有的方法,只要实现自己需要的核心方法即可。

6. 适配器模式的优缺点

优点

1. 更好的复用性
新对象可以通过适配器模式直接使用原有的类,更好的对现有代码进行复用。
2. 更好的拓展性
通过适配器模式,可以使得对某个类的后续拓展更加简单和方便。

缺点

过多的使用适配器,会让系统非常零乱,不易整体进行把握。比如,明明看到调用的是A接口,其实内部被适配成了B接口的实现,一个系统如果太多出现这种情况,无异于一场灾难。因此如果不是很有必要,可以不使用适配器,而是直接对系统进行重构。

你可能感兴趣的:(适配器模式)