当前位置 : 主页 > 网络编程 > 其它编程 >

设计模式系列6:适配器模式(AdapterPattern)

来源:互联网 收集:自由互联 发布时间:2023-07-02
定义将一个类的接口转换成客户希望的另一个接口,适配器模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。--《设计模式》GoFUML类图使用场景在遗留代码复用,类库
定义将一个类的接口转换成客户希望的另一个接口,适配器模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。--《设计模式》GoFUML类图使用场景在遗留代码复用,类库

定义

将一个类的接口转换成客户希望的另一个接口,适配器模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。 --《设计模式》GoF

UML类图

使用场景

  • 在遗留代码复用,类库迁移方面非常有用。
  • 适配器模式要求我们尽可能地使用面向接口编程风格,这样扩展性和可维护性比较好。
  • 关键组成部分

    1,目标角色(Target):定义Client使用的与特定领域相关的接口。

    2,客户角色(Client):与符合Target接口的对象协同。

    3,被适配角色(Adaptee):定义一个已经存在并已经使用的接口,这个接口需要适配。

    4,适配器角色(Adapter):适配器模式的核心,它将对被适配Adaptee角色已有的接口转换为目标角色Target匹配的接口。对Adaptee的接口与Target接口进行适配。

    C#代码实现

    using System; namespace DoFactory.GangOfFour.Adapter.Structural{ /// /// MainApp startup class for Structural /// Adapter Design Pattern. /// class MainApp { /// /// Entry point into console application. /// static void Main() { // Create adapter and place a request Target target = new Adapter(); target.Request(); // Wait for user Console.ReadKey(); } } /// /// The 'Target' class /// class Target { public virtual void Request() { Console.WriteLine("Called Target Request()"); } } /// /// The 'Adapter' class /// class Adapter : Target { private Adaptee _adaptee = new Adaptee(); public override void Request() { // Possibly do some other work // and then call SpecificRequest _adaptee.SpecificRequest(); } } /// /// The 'Adaptee' class /// class Adaptee { public void SpecificRequest() { Console.WriteLine("Called SpecificRequest()"); } }}

    运行结果:

    image

    网友评论