消除对象耦合
1.代理模式和状态模式都提供一个代理类(Surrogate).
代码与代理类打交道,而做实际工作的类隐藏在代理类背后。
当调用代理类中的一个函数时,代理类仅转而去调用现实类
中相应的函数。这两种模式是如此相似,从结构上看,可以
认为代理模式只是状态模式的一个特例。设想将两者合理地
混合在一起组成一个称为代理设计模式,这肯定是一个很具
有诱惑力的想法。但是这两种模式的内涵是不一样的。这样
做很容易陷入“如果结构相同模式就相同“的思想误区。
基本思想:代理类派生自一个基类,由平行地派生自同一个
基类的一个或多个类提供实际的实现。
#include<iostream>
using namespace std;
class ProxyBase{
public:
virtual void f()=0;
virtual void g()=0;
virtual void h()=0;
virtual ~ProxyBase(){}
};
class Implementation:public ProxyBase{
public:
void f(){cout<<"Implementation.f()"<<endl;}
void g(){cout<<"Implementation.g()"<<endl;}
void h(){cout<<"Implementation.h()"<<endl;}
}
class Proxy:public ProxyBase{
ProxyBase*implementation;
public:
Proxy(){implementation=new Implementation();}
~Proxy(){delete implementation;}
void f(){implementation->f();}
void g(){implementation->g();}
void h(){implementation->h();}
}
int main(){
Proxy p;
p.f();
p.g();
p.h();
}