终止家务是什么意思?

时间:2017-03-22 10:26:06

标签: c++ class destructor

“终止管家”的含义是什么意思? 我已经读过,析构函数用于对类的对象执行终止管理。我不知道这意味着什么。

感谢。

1 个答案:

答案 0 :(得分:2)

在析构函数的背景下,终止内务管理是在对象被销毁之前要完成的工作。

如果您想在系统回收对象的存储空间之前执行某些操作,请在析构函数中编写代码。

例如,初学者使用它来理解被调用的构造函数和析构函数的序列。

让我们从here获取一个例子:

#include <iostream>

using namespace std;

class Line {
   public:
      void setLength( double len );
      double getLength( void );
      Line();   // This is the constructor declaration
      ~Line();  // This is the destructor: declaration

   private:
      double length;
};

// Member functions definitions including constructor
Line::Line(void) {
   cout << "Object is being created" << endl;
}

Line::~Line(void) {
   // THE PLACE FOR TERMINATION HOUSEKEEPING
   cout << "Object is being deleted" << endl;
}

void Line::setLength( double len ) {
   length = len;
}

double Line::getLength( void ) {
   return length;
}

// Main function for the program
int main( ) {
   Line line;

   // set line length
   line.setLength(6.0); 
   cout << "Length of line : " << line.getLength() <<endl;

   return 0;
}

您可以看到另一个示例here