Open In App

“delete this” in C++

Improve
Improve
Improve
Like Article
Like
Save Article
Save
Share
Report issue
Report

Ideally delete operator should not be used for this pointer. However, if used, then following points must be considered.
1) delete operator works only for objects allocated using operator new (See this post). If the object is created using new, then we can do delete this, otherwise behavior is undefined.
 

CPP




class A
{
  public:
    void fun()
    {
        delete this;
    }
};
 
int main()
{
  /* Following is Valid */
  A *ptr = new A;
  ptr->fun();
  ptr = NULL; // make ptr NULL to make sure that things are not accessed using ptr.
 
 
  /* And following is Invalid: Undefined Behavior */
  A a;
  a.fun();
 
  getchar();
  return 0;
}


2) Once delete this is done, any member of the deleted object should not be accessed after deletion.
 

CPP




#include<iostream>
using namespace std;
 
class A
{
  int x;
  public:
    A() { x = 0;}
    void fun() {
      delete this;
 
      /* Invalid: Undefined Behavior */
      cout<<x; // this is working
    }
};
 
int main()
{
  A* obj = new A;
  obj->fun();
  return 0;
}


Output

0

The best thing is to not do delete this at all.
Thanks to Shekhu for providing above details.
References: 
https://www.securecoding.cert.org/confluence/display/cplusplus/OOP05-CPP.+Avoid+deleting+this 
http://en.wikipedia.org/wiki/This_%28computer_science%29

 



Last Updated : 11 Nov, 2021
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads