您的位置:首页 > 编程语言 > C语言/C++

c++ 设计模式之适配器模式

2016-11-03 18:27 218 查看
Adapter适配器模式
作用:将一个类的接口转换成客户希望的另外一个接口。Adapter模式使得原本由于接口不兼容而不能一起工作的那些类可以一起工作。

分为类适配器模式和对象适配器模式。

系统的数据和行为都正确,但接口不符时,我们应该考虑使用适配器,目的是使控制范围之外的一个原有对象与某个接口匹配。适配器模式主要应用于希望复用一些现存的类,但是接口又与复用环境要求不一致的情况。

想使用一个已经存在的类,但如果它的接口,也就是它的方法和你的要求不相同时,就应该考虑用适配器模式。

比如购买的第三方开发组件,该组件接口与我们自己系统的接口不相同,或者由于某种原因无法直接调用该组件,可以考虑适配器。

UML图如下:

图1:类模式适配器



对象模式适配器



下面给出类适配器模式和对象适配器模式的实例:

 #include"stdafx.h"

#include<iostream>

using namespace std;

//目标客户类,客户需要的接口
class Target
{
public:
Target(){}
~Target(){}

virtual void Request()
{
cout << "Target::Request()" << endl;
}

};

class Adaptee //需要的适配器类,对Target的接口进行处理,
{
public:
Adaptee(){}
~Adaptee(){}
void SpecificRequest()
{
cout << "Adaptee::SpecificRequest()" << endl;
}
};

//类适配器模式 ,通过public继承获得接口,通过 private继承获得实现
class Adapter :public Target,private Adaptee
{
public:
Adapter(){}
~Adapter(){}
void Request()
{
cout << "Adapter::Request()" << endl;
this->SpecificRequest();
cout << "----------------------------" <<endl;
}
};

//对象适配器模式

class Adapter1:public Target
{
public:
Adapter1(Adaptee* adaptee)
{
m_Adaptee = adaptee;
}
Adapter1()
{
m_Adaptee = new Adaptee();
}
~Adapter1(){}

void Request()
{
cout << "Adapter1::Request()" << endl;
if(m_Adaptee != NULL)
{
m_Adaptee->SpecificRequest();
}

cout << "***********************" <<endl;
}
private:
Adaptee * m_Adaptee;
};


// client 代码

// AdapterMode.cpp : 定义控制台应用程序的入口点。
//

#include "stdafx.h"
#include"Adapter.hpp"

int _tmain(int argc, _TCHAR* argv[])
{

#if 0
//类模式适配器
Target *p = new Adapter();
p->Request();

//对象模式适配器
Adaptee *ade = new Adaptee();
Target *p1 = new Adapter1(ade);
p1->Request();
#endif
// 对象模式适配;
Target *p2= new Adapter1();
p2->Request();

system("pause");
return 0;
}
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: