设计模式 十二、适配器模式
作者:互联网
适配器模式:
适配器模式将一个类的接口适配成用户所期待的。一个适配器通常允许因为接口不兼容而不能一起工作的类能够在一起工作,做法是将类自己的接口包裹在一个已存在的类中,分为组合和继承两种形式
继承优点:
A、Adapter可以重定义Adaptee的部分行为
B、不需要额外的指针以间接得到Adaptee
继承缺点:
当想要匹配另一个类及其所有子类时,类Adapter将无法实现。
组合优点:
一个Adapter可以与多个Adaptee及其所有子类同时工作
组合缺点:
不能重定义Adaptee的行为
适配器模式使用场景
:
A、适配器模式主要应用于希望复用一些现存的类,但是接口又与复用环境要求不一致的情况。
B、想使用一个已经存在的类,但如果类的接口和要求的不相同时,就应该考虑用适配器模式。
//目标接口, 具有标准的接口
public interface Function {
public void request();
}
//已经存在的, 并且具有特殊功能的类, 但是不符合我们既有的标准的接口的类
public class Adaptee {
public void myrequest() {
System.out.println("我的功能");
}
}
//适配器, 直接关联被适配的类, 同时实现标准接口,组合方式
public class Adapter1 implements Function{
Adaptee adaptee;
public Adapter1(Adaptee adaptee) {
this.adaptee = adaptee;
}
@Override
public void request() {
System.out.println("进行适配1");
adaptee.myrequest();
}
}
//继承方式
public class Adapter2 extends Adaptee implements Function{
@Override
public void request() {
System.out.println("进行适配2");
super.myrequest();
}
}
public class app {
//服务请求者
public static void setAdapter(Function function) {
function.request();
}
public static void main(String[] args) {
Adapter1 adapter1 = new Adapter1(new Adaptee());
setAdapter(adapter1);
Adapter2 adapter2 = new Adapter2();
setAdapter(adapter2);
}
}
输出
进行适配1
我的功能
进行适配2
我的功能
标签:适配,适配器,十二,接口,public,void,设计模式,Adaptee 来源: https://blog.csdn.net/weixin_45401129/article/details/114629435