Destruktory (C++)
Funkce "destruktoru" jsou inverzní funkce konstruktoru.Jsou volány při zrušení objektů (uvolnění z paměti).Funkci je možné určit jako destruktor třídy přidáním vlnky (~) před název třídy.Například destruktor třídy String je deklarován jako: ~String().
Při kompilaci /clr má destruktor zvláštní roli při uvolňování spravovaných a nespravovaných prostředků.Další informace naleznete v tématu Destruktory a finalizačních metod jazyka Visual C++.
Příklad
Destruktor se běžně používá pro "úklid", když už objekt není potřeba.Zvažte následující deklaraci třídy 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...");
}
V předchozím příkladu destruktor String::~String používá operátor delete pro navrácení dynamicky přidělené paměti uloženého textu.