Proxy Pattern,一个类代表另一个类的功能。
代理模式是程序设计重要的一种模式。为其他对象提供一种代理以控制对这个对象的访问,这样实现了业务和核心功能分离。
虚拟代理是根据需要创建开销很大的对象,通过它来存放实例化需要很长时间的真实对象,使其只有在真正需要时才被创建。
//创建现有对象的对象,以便向外界提供功能接口。为其他对象提供一种代理以控制对这个对象的访问。
//Image.cpp
#include <stdio.h>
class Image
{
public:
Image(std::string name) : _fileName(name){ }
virtual ~Image( ){ }
virtual void display() = 0;
protected :
std::string _fileName;
};
//创建实现接口的实体类 RealImage.cpp
class RealImage : public Image
{
public:
RealImage(std::string fileName) : Image(fileName){}
virtual ~RealImage( ){ }
void display() {
printf("Displaying %s", _fileName);
}
};
//ProxyImage.cpp
class ProxyImage : public Image
{
public:
ProxyImage(std::string fileName) : Image(fileName), _realImage(NULL){}
virtual ~ProxyImage(){
delete _realImage;
}
void display() {
if(this->_realImage == NULL){
_realImage = new RealImage(this->_fileName);
}
_realImage->Show( );
}
private:
RealImage * _realImage;
};
int main(void)
{
Image *Image = new ProxyImage("Image.txt");
Image->display( );
delete Image;
return 0;
}