代理模式-接口隔离
定义:
为其他对象提供一种代理控制(隔离,使用接口)对这个对象的访问。----《设计模式》GOF
类图:
使用场景:
在面向对象系统中,有些对象由于某种原因(比如对象创建的开销很大,或者某些操作需要安全控制,或者需要进程外的访问等),直接访问会给使用者、或者系统结构带来很多麻烦。
解决的问题:
- 在不是去透明操作对象的同时来管理/控制这些对象特有的复杂性;
- 增加一层间接层。
代码示例:
#include <iostream>
#include <string>
using namespace std;
//商品
class Item
{
public:
Item(string kind, bool fact)
{
this->kind = kind;
this->fact = fact;
}
string getKind()
{
return this->kind;
}
bool getFact()
{
return this->fact;
}
private:
string kind;//商品的种类
bool fact; //商品的真假
};
// 抽象的购物方式
class Shopping
{
public:
virtual void buy(Item *it) = 0;//抽象的买东西方法
};
//韩国购物
class KoreaShopping :public Shopping
{
public:
virtual void buy(Item *it) {
cout << "去韩国买了" << it->getKind()<< endl;
}
};
//美国购物
class USAShopping :public Shopping
{
public:
virtual void buy(Item *it) {
cout << "去美国买了" << it->getKind() << endl;
}
};
//海外代理
class OverseasProxy :public Shopping
{
public:
OverseasProxy(Shopping *shpping)
{
this->shopping = shpping;
}
virtual void buy(Item *it) {
//1 辨别商品的真假,
//2 进行购买()
//3 通过海关安检,带回祖国
if (it->getFact() == true)
{
cout << "1 发现正品, 要购物" << endl;
//用传递进来的购物方式去购物
shopping->buy(it);
//3 安检
cout << "2 通过海关安检, 带回祖国" << endl;
}
else {
cout << "1 发现假货,不会购买" << endl;
}
}
private:
Shopping *shopping; //有一个购物方式
};
int main(void)
{
//1 辨别商品的真假,
//2 进行购买()
//3 通过海关安检,带回祖国
Item it1("nike鞋", true);
Item it2("CET4证书", false);
#if 0
// 想去韩国买一个鞋
Shopping *koreaShopping = new KoreaShopping;
//1 辨别商品的真伪
if (it1.getFact() == true) {
cout << "1 发现正品, 要购物" << endl;
//2 去韩国买了这个商品
koreaShopping->buy(&it1);
//3 安检
cout << "2 通过海关安检, 带回祖国" << endl;
}
else {
cout << "3 发现假货,不会购买" << endl;
}
#endif
Shopping *usaShopping = new USAShopping;
Shopping *overseaProxy = new OverseasProxy(usaShopping);
overseaProxy->buy(&it1);
return 0;
}
小结:
Item类中为我们所要在代理中添加的功能,我们将所要进行的事情进行抽象,抽象成Shopping类,我们根据类图可以设计一个代理是继承自Shopping。这样就可以在代理类中对原本buy()操作前后加上其它操作,这样在客户访问buy()操作的时候就需要进行代理中所加的新的功能,将原本buy()操作对用户进行了隔离。