3

我有一个关于 C++ 中装饰器模式工作的问题。考虑以下场景(我从网上得到的。抱歉,我不能把问题缩小,因为我必须提供所有细节。)

class print{
  public:
   virtual ~print(){};
   virtual void print_name() = 0;
};

//Actual base class which is to be used for printing. Has only name
class name:public print{
   public:
  //Destructor
  ~name() { cout << "destructing name" << endl; } 
  void print_name(){ 
    cout << "Ajay " << endl;
  }
 };

class decorator:public print{
   print *print_content;
       public:

   //constructor
   decorator(print* print_arg){
    print_content = print_arg;
   }

   //Destructor
   ~decorator() {
       if(print_content){
        delete print_content;
        print_content = NULL;
       }
    }

   void print_name(){
       print_content->print_name();
   }
   };

class surname:public decorator{
    public:

//Constructor
surname( print * print_arg ):decorator(print_arg) {}

//Destructor
   ~surname(){ 
    cout << "Destructing surname" << endl;
   }

   void print_name(){
    cout << " Bidari" << endl;
    decorator::print_name();
   }
    };

 class address:public decorator{
   public:
   address( print * print_arg):decorator(print_arg) {}
   ~address(){
       cout <<"Destructing address" << endl;
   }
   void print_name(){
    cout << "Bijapur" << endl;
    decorator::print_name();
   }
   }; 

所有类都具有装饰设计模式所需的语义。主要功能如下。

int main(){

    print * name_surname_address = new address(new surname(new name));
   name_surname_address->print_name();
}

程序按预期打印结果。

输出

 Bidari
Ajay

Bijapur
 Bidari
Ajay

我不明白这个电话是如何进入 surname::print_name() 的。我的意思是函数调用

print * name_surname_address = new address(new surname(new name));

调用地址的 print_name,该地址调用 decorator::print_name(),后者又调用 print::print_name()。

4

1 回答 1

2

首先,您创建“名称”对象。它将打印“Ajay”。然后在创建“姓氏”对象时将该对象作为参数传递。姓氏对象将创建一个“装饰器”,它将记住“名字”(Ajay)的地址 - 你继承了装饰器!!!
Surname 还覆盖了 print 函数——它打印 'Bidari' 并调用 decorator::print_name();
现在,您在创建“地址”对象时将“姓氏”对象作为参数传递。“地址”对象将创建一个“装饰器”(同样,您继承了装饰器),它将记住“姓氏”(Bidari)的地址。
'address' 也覆盖了 print 函数——它打印 'Bijapur' 并调用 decorator::print_name();

或者在进行实际函数调用时进行解释,您可以在“地址”对象上调用 print 。它将打印“Bijapur”并在“姓氏”(decorator::print_name())上调用 print,因为您通过传递“姓氏”创建了“地址”。这将打印“Bidari”。之后立即调用 decorator::print_name() 并打印第一个 - 'Ajay'。

PS如果你觉得这个解释没有用,我不会怪你,因为我也觉得读起来很沉重:-)

于 2013-06-16T20:07:38.693 回答