一、简介
Adapter模式就是把一个接口变换使用者所期待的另一种接口,从而使原本因接口不匹配而无法在一起工作的两个类能够在一起工作。
从实现方式上,可分为:类的适配器模式和对象的适配器模式
Adapter模式有三个角色:
1. 目标(Target)角色:这就是所期待得到的接口。
2. 源(Adapee)角色:现在需要适配的接口。
3. 适配器(Adaper)角色:适配器类是本模式的核心。适配器把源接口转换成目标接口。
二、类的适配器模式
通过继承方式实现,因此Target需是接口。
2.1实现
1.Target
<code>public interface Target {
/** * 这是Adaptee也有的方法 /
public void original();
/* * 这是新添加的方法 /
public void newMothed();
}</code>
2.Adapee
<code>public class Adaptee {
public void original(){}
}</code>
3.Adapter
<code>public class Adapter extends Adaptee implements Target {
/* * 适配方法 */
@Override public void newMothed()
{
//写相关的代码
}
}</code>
三、对象的适配器模式
使用组合方式实现
3.1 实现
Target和Adapee和2.1的一样
3.Adapter
<code>public class Adapter {
private Adaptee adaptee;
public Adapter(Adaptee adaptee){
this.adaptee = adaptee;
}
/** 调用Adaptee方法/
public void original(){
this.adaptee.sampleOperation1();
}
/** * 适配方法 */
public void newMothed(){
//写相关的代码
}
}</code>
四、总结
4.1 类适配器和对象适配器的权衡
1.类适配器使用继承的方式,使得适配器不能和Adaptee的子类一起工作;对象适配器使用组合的方式,可以把源类和它的子类都适配到目标接口。
2.类适配器可以通过重写Adaptee的方法,进行重定义;对象适配器要想实现此功能,需要适配进行重写的Adaptee子类。
建议:尽量使用对象适配器的实现方式,多用组合、少用继承。
4.2 适配器模式的优缺点
1.优点
更好的复用性:系统需要使用现有的类,而此类的接口不符合系统的需要。那么通过适配器模式就可以让这些功能得到更好的复用。
更好的扩展性:可以调用已开发的功能,从而自然地扩展系统的功能。
2.缺点
过多的使用适配器,会让系统非常零乱。
五、缺省适配模式
缺省适配(Default Adapter)模式为一个接口提供缺省实现,这样子类型可以从这个缺省实现进行扩展,而不必从原有接口进行扩展。作为适配器模式的一个特例,缺省是适配模式在JAVA语言中有着特殊的应用。
5.1 实现
1.接口
<code>public interface AbstractService {
public void mothed1();
public int mothed2();
public String mothed3();
}</code>
2.缺省适配
<code>public class ServiceAdapter implements AbstractService{
@Override
public void mothed1() {
}
@Override
public int mothed2() {
return 0;
}
@Override
public String mothed3() {
return null;
}
}</code>
3.实现者
<code>public class AImpl exthends ServiceAdapter{
//根据需要,进行实现
@Override
public String mothed3() {
return null;
}
}</code>