Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Deleting string object in C++

Tags:

c++

I have a string object in my C++ program declared as follows:

string str;

I have copied some data into it and done some operations. Now I want to delete the str object from the memory. I am not able to use delete operator since str is not a pointer. How do I delete that object from the memory to reclaim the memory allocated to it?

Thanks, Rakesh.

like image 551
Rakesh K Avatar asked Jun 28 '10 06:06

Rakesh K


3 Answers

You don't have to. When the string goes out of scope, it's destructor will be called automatically and the memory will be freed.

If you want to clear the string right now (without waiting until it goes out of scope) just use str.clear().

like image 162
Dean Harding Avatar answered Oct 14 '22 07:10

Dean Harding


str.clear();

or

str = "";

However, as stated in the comments, this does not guarantee (and, in fact, is rather unlikely) to actually return heap memory. Also not guaranteed to work, but in practice working well enough is the swap trick:

std::string().swap(str);

Still, implementations employing the small string optimization will retain a few bytes of stack space (and str itself of course also lives on the stack).

In the end I agree with all comments saying that it is questionable why you want to do that. Ass soon as str goes out of scope, its data will be deleted automatically anyway:

{
  std::string str;

  // work with str

} // str and its data will be deleted automatically
like image 9
sbi Avatar answered Oct 14 '22 07:10

sbi


Add an Additional scope

{
  String str;
  ...
  ...
}

to ensure that str goes out of scope when you no longer need it. Remeber it could be tricky in terms of how other variables are also defined.

like image 2
pv. Avatar answered Oct 14 '22 06:10

pv.