C++ Programming Tutorials - Destructors

Welcome to C++ Programming Tutorial

Your guide to getting started with advanced C++ concepts.

Destructors in C++

A destructor in C++ is a special member function of a class that is executed when an object of that class is destroyed. The destructor is used to clean up resources that the object may have acquired during its lifetime, such as dynamically allocated memory or file handles.

Key Points About Destructors

Example of a Destructor

Here’s an example demonstrating the use of a destructor to clean up dynamically allocated memory:

#include <iostream>

class MyClass {
public:
    int* data;
    // Constructor
    MyClass(int size) {
        data = new int[size]; // Allocate memory dynamically
        std::cout << "Constructor Called" << std::endl;
    }
    // Destructor
    ~MyClass() {
        delete[] data; // Deallocate memory
        std::cout << "Destructor Called" << std::endl;
    }
};

int main() {
    MyClass obj(5); // Calls constructor
    // When obj goes out of scope, destructor is called
    return 0;
}
                    

In this example, the constructor MyClass(int size) allocates memory for an array of integers. The destructor ~MyClass() is responsible for deallocating this memory when the object obj goes out of scope. This ensures that there are no memory leaks.

Important Points:

Previous Next
Modern Footer