我有这样的情况:

class MyClass
{
private:
  std::auto_ptr<MyOtherClass> obj;

public:
  MyClass()
  {
    obj = auto_ptr<MyOtherClass>(new MyOtherClass());
  }

  void reassignMyOtherClass()
  {
    // ... do funny stuff
    MyOtherClass new_other_class = new MyOtherClass();
    // Here, I want to:
    //  1) Delete the pointer object inside 'obj'
    //  2) Re-assign the pointer object of 'obj' to 'new_other_class'
    //     so that 'obj' now manages 'new_other_class' instead of the
    //     object that just got deleted manually
  }
};

有没有办法做到这一点?下面的代码会做我想要的吗?
void MyClass::reassignMyOtherClass()
{
  // ... still, do more funny stuff (flashback humor :-)
  MyOtherClass new_other_class = new MyOtherClass();
  obj.reset(new_other_class);
}

是否将new_other_class的内存在MyClass的默认析构函数中取消分配?

最佳答案

是的,它会的。
您可以使用

obj.reset( new MyOtherClass() );

而且我最好使用这样的构造函数
 MyClass():
     obj( new MyOtherClass() )
 {
 }

10-04 13:33