析构函数 (C++)
“析构函数”功能是构造函数的反向操作。 当销毁对象时 (释放),被调用。 通过类名代字号 (~)指定某个函数作为类的析构函数。 例如,类 String 的析构函数声明:~String()。
在 /clr 生成,析构函数具有在释放托管和非托管资源的特殊效果。 有关更多信息,请参见析构函数和终结器在 Visual C++。
示例
通常对象不再需要时,析构函数用于“清理”。 考虑下列String类声明:
// spec1_destructors.cpp
#include <string.h>
class String {
public:
String( char *ch ); // Declare constructor
~String(); // and destructor.
private:
char *_text;
size_t sizeOfText;
};
// Define the constructor.
String::String( char *ch ) {
sizeOfText = strlen( ch ) + 1;
// Dynamically allocate the correct amount of memory.
_text = new char[ sizeOfText ];
// If the allocation succeeds, copy the initialization string.
if( _text )
strcpy_s( _text, sizeOfText, ch );
}
// Define the destructor.
String::~String() {
// Deallocate the memory that was previously reserved
// for this string.
if (_text)
delete[] _text;
}
int main() {
String str("The piper in the glen...");
}
在前面的示例中,析构函数 String::~String 使用 delete 运算符释放为文本存储动态分配的空间。