结构型模式--适配器
1、意图
将一个类的接口转换成客户希望的另外一个接口。适配器(Adapter)模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。
2、结构
类适配器使用多重继承对一个接口与另一个接口进行匹配
对象适配器依赖于对象组合
3、参与者
Target:定义Client使用的与特定领域相关的接口;
Client:与符合Target接口的对象协同;
Adaptee:定义一个已经存在的接口,这个接口需要进行适配;
Adapter:对Adaptee的接口与Target接口进行适配;
4、适用性
以下情况适用适配器模式:
你想使用一个已经存在的类,而它的接口不符合你的需求;
你想创建一个可以复用的类,该类可以与其他不相干的类或不可预见的类(即那些接口可能不一定兼容的类)协同工作;
(仅适用于对象Adapter)你想使用一些已经存在的子类,但是不可能对每一个都进行子类化以匹配它们的接口。对象适配器可以适配它的父类接口;
5、代码示例
场景:有一个绘图编辑器,允许用户绘制和排列基本图元(线、多边形、正文)生成图片和图表。图形对象的接口由一个Shape的抽象类定义。对于文本图元TextShape类,实现困难,涉及复杂的屏幕刷新和缓冲区管理。同时,有一个现成的用户界面工具库提供了一个TextView类用于显示和编辑正文。因TextView和Shape不能互换,需要做适配兼容。
类适配器示例:
// Shape假定有一边框,边框由它相对的两角定义 class Shape { public: Shape(); virtual void BoundingBox(Point& bottomLeft, Point& topRight) const; virtual Manipulator* CreateManipulator() const; }; // Textview由原点、宽度、高度定义 class Textview { public: Textview(); void Getorigin(Coord& x,Coord& y) const; void GetExtent(Coord& width, Coord& height) const; virtual bool IsEmpty() const; }; // TextShape适配器实现,公共方式继承接口,私有方式继承接口实现 class Textshape : public Shape(), private: Textview { public: Textshape() ; virtual void BoundingBox(Point& bottomLeft,Point& topRight) const; virtual bool IsEmpty() const; virtual Manipulator* CreateManipulator() const; }; // BoundingBox操作对TextView的接口进行转换使之匹配Shape的接口。 void TextShape::BoundingBox(Point& bottomLeft,Point& topRight) const { Coord bottom,left,width,height; Getorigin(bottom, left); GetExtent(width, height); bottomLeft = Point(bottom, left); topRight = Point(bottom + height,left + width); } // IsEmpty操作给出了在适配器实现过程中常用的一种方法:直接转发请求: bool Textshape::IsEmpty () const { return Textview::IsEmpty(); } // 最后,我们定义CreateManipulator(TextView不支持该操作),假定我们已经实现了支持TextShape操作的类TextManipulator。 Manipulator* Textshape::CreateManipulator() const { return new TextManipulator(this); }
对象适配器示例:
// 对象适配器,在Textshape中维护了一个执行Textview的指针。 class Textshape : public Shape { pub11c: TextShape(Textview*); virtual void BoundingBox(Point& bottomLeft, Point& topRight) const; virtual bool IsEmpty() const; virtual Manipulator* CreateManipulator() const; private: Textview* _text; }; // TextShape必须在构造器中对Textview 实例的指针进行初始化 TextShape::TextShape(Textview* t) { _text = t; } // 使用Textview对象调用相应的操作 void TextShape::BoundingBox(Point& bottomLeft, Point& topRight) const { Coord bottom, left, width, height; _text->Getorigin(bottom, left); _text->GetExtent(width, height); bottomLeft = Point(bottom, left); topRight = Point(bottom + height, left + width); } bool TextShape::IsEmpty() const { return _text->IsEmpty(); } Manipulator* TextShape::CreateManipulator() const { return new TextManipulator(this); }
6、总结
适配器模式使接口不兼容的类得以协同工作。当已存在一个类但其接口与实际要求不一致时,可以考虑适配器。适配器模式分为对象适配器和类适配器,类适配器都过继承方式适配接口,对象适配器都过对象组合方式适配接口。
使用类适配器,可以在Adapter类中对Adaptee的接口进行重定义,但当Adaptee类添加一个抽象接口时,Adapter类也要进行相应改动,耦合程度高。且,Adapter无法调用Adaptee的子类实现的接口。
使用对象适配器,Adaptee添加新的抽象接口时,Adapter类不需要改动,耦合程度低。Adapter类可以使用多态方式调用Adaptee子类实现的接口。
能用对象适配器的方式实现,就不要用类适配器。
本文来自博客园,作者:流翎,转载请注明原文链接:https://www.cnblogs.com/hjx168/p/16216209.html