3

作为一个试图理解智能指针的 C++ 新手。我写了下面的代码来检查。

它确实编译并运行了,但我期待我的类的析构函数被调用并从析构函数中打印 cout,但它没有。

我们是否需要重载用户定义类中的任何函数,以便在该类的 smart_ptr 对象被销毁时调用其析构函数。

为什么它没有调用对象析构函数。我错过了什么?

#include <iostream>
#include <cstdlib>
#include <tr1/memory> 
#include <string>

//using namespace std;

class myclass
{
public:
  myclass();
  myclass(int);
  ~myclass();
private:
  int *ptr;
  std::string *cptr;
};

myclass::myclass()
{
    std::cout << "Inside default constructor\n";
}

myclass::myclass(int a)
{
   std::cout << "Inside user defined constructor\n" ;
   ptr = new int[10];
   cptr = new std::string("AD");
}

myclass::~myclass()
{
    std::cout << "Inside destructor..\n";
    delete [] ptr;
    delete cptr;

    std::cout << "Freed memory..\n";
}

int main()
{


   int i;
   std::cin >> i;       
 std::tr1::shared_ptr<std::string> smartstr(new std::string);
 std::tr1::shared_ptr<myclass> smart_a(new myclass(i));
   if(i == 0)
   {
      std::cout << "Exiting...\n";
      exit(-1);
   }


}
4

4 回答 4

11

对象永远不会被销毁的原因是因为您正在通过调用退出程序exit。这会导致程序在智能指针对象有机会超出范围之前退出,因此它们管理的对象永远不会被破坏。由于您正在main使用 return 语句而不是调用exit.

于 2013-06-17T14:14:24.080 回答
4

并且,作为其他答案的附加信息,请注意标准:

根据§3.6.1/4:

在不离开当前块的情况下终止程序(例如,通过调用函数std::exit(int)(18.5))不会破坏任何具有自动存储持续时间的对象(12.4)。

于 2013-06-17T14:19:52.227 回答
2

在下面的代码中,

if(i == 0)
{
   std::cout << "Exiting...\n";
   exit(-1);
}

您正在通过调用终止程序exit(),因此该对象永远不会被破坏。所以exit(-1);从代码中删除。

于 2013-06-17T14:16:47.677 回答
-1

一种可能的解决方案是确保在析构函数中刷新缓冲区。std::endl;在你的析构函数中使用。更多信息,请看这里:缓冲区刷新,堆栈溢出

于 2013-06-17T14:13:45.913 回答