个人博客

http://www.milovetingting.cn

适配器模式

模式介绍

适配器模式,是将两个不兼容的类融合在一起,将不同的东西通过一种转换,使得它们能够协作起来。

模式定义

适配器模式把一个类的接口变换成客户端的另一种接口,从而使原本因接口不匹配而无法在一起工作的两个类能够在一起工作。

使用场景

  1. 系统需要使用现有的类,而此类的接口不符合系统的需要,即接口不兼容

  2. 想要建立一个可以重复使用的类,用于与一些彼此之间没有太大关联的一些类,包括一些将来可能引入的类一起工作

  3. 需要一个统一的输出接口,而输入端的类型不可预知

简单使用

适配器模式分为两种:

  1. 类适配器模式

  2. 对象适配器模式

类适配器模式的简单使用

定义Target接口

1
2
3
4
5
public interface VoltTarget {

public int getVolt5();

}

定义Adaptee,即需要被转换的对象

1
2
3
4
5
6
public class VoltAdaptee {
public int getVolt220()
{
return 220;
}
}

定义Adapter

1
2
3
4
5
6
7
8
public class VoltAdapter extends VoltAdaptee implements VoltTarget {

@Override
public int getVolt5() {
return 5;
}

}

定义调用

1
2
3
4
5
6
7
8
public class Main {

public static void main(String[] args) {
VoltAdapter adapter = new VoltAdapter();
System.out.println(adapter.getVolt5());
}

}

输出结果

1
5

对象适配器模式的简单使用

与类的适配器模式一样,对象的适配器模式把被适配的类的API转换成目标类的API,与类的适配模式不同的是,对象的适配器模式不是使用继承关系连接到Adaptee类,而是使用代理关系连接到Adaptee类。

直接将要被适配的对象传递到Adapter中,使用组合的形式实现接口兼容的效果,这比类适配器方式更为灵活。它的另一个好处是被适配对象中的方法不会暴露出来。因此,对象适配器模式更加灵活、实用。

定义接口

1
2
3
public interface IVoltTarget {
int getVolt5();
}

定义Adaptee

1
2
3
4
5
6
public class VoltAdaptee {
public int getVolt220()
{
return 220;
}
}

定义Adapter

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
public class VoltAdapter2 implements IVoltTarget {

VoltAdaptee voltAdaptee;

public VoltAdapter2(VoltAdaptee voltAdaptee) {
super();
this.voltAdaptee = voltAdaptee;
}

public int getVolt220() {
return voltAdaptee.getVolt220();
}

@Override
public int getVolt5() {
return 5;
}

}

调用

1
2
3
4
5
6
7
8
9
public class Main {

public static void main(String[] args) {
VoltAdaptee adaptee = new VoltAdaptee();
VoltAdapter2 adapter = new VoltAdapter2(adaptee);
System.out.println(adapter.getVolt5());
}

}

输出结果

1
5