我可以使用std :: unique_ptr <baseclass>(&amp; DerivedClass)吗?</baseclass>

时间:2014-06-16 10:34:12

标签: c++ c++11

我遇到了段错,但不知道为什么。使用std::unique_ptr<BaseClass>(&DerivedClassObj)是个问题吗?感谢。

这是代码

# test.cc
#include <iostream>
#include <memory>
#include <vector>

using namespace std;

struct a {
  virtual void x(){cerr<<"a.x"<<endl;}
  virtual void y(){cerr<<"a.y"<<endl;}
  virtual void z(){cerr<<"a.z"<<endl;x();y();}
};

struct b: public a {
  virtual void y() {cerr<<"b.y"<<endl;}
};


int main(){
  cerr<<0<<endl;
  {
    b bb;
    vector<unique_ptr<a> > pb;
    cerr<<1<<endl;

    bb.z();
    pb.push_back(unique_ptr<a>(&bb));
    pb[0]->z();
    cerr<<2<<endl;
  }
  cerr<<3<<endl;
  return 0;
}

这是输出

0
1
a.z
a.x
b.y
a.z
a.x
b.y
2
Segmentation fault (core dumped)

这是编译命令

$ g++ -std=c++0x    test.cc   -o test

g++版本信息。

$ g++ -v
Using built-in specs.
COLLECT_GCC=g++
COLLECT_LTO_WRAPPER=/usr/lib/gcc/x86_64-linux-gnu/4.6/lto-wrapper
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu/Linaro 4.6.3-1ubuntu5' --with-bugurl=file:///usr/share/doc/gcc-4.6/README.Bugs --enable-languages=c,c++,fortran,objc,obj-c++ --prefix=/usr --program-suffix=-4.6 --enable-shared --enable-linker-build-id --with-system-zlib --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --with-gxx-include-dir=/usr/include/c++/4.6 --libdir=/usr/lib --enable-nls --with-sysroot=/ --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --enable-gnu-unique-object --enable-plugin --enable-objc-gc --disable-werror --with-arch-32=i686 --with-tune=generic --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 4.6.3 (Ubuntu/Linaro 4.6.3-1ubuntu5) 

1 个答案:

答案 0 :(得分:7)

尝试将智能指针包装到指向具有自动存储持续时间的对象的指针(“在堆栈上”,对于newbs)是未定义的;你不应该这样做。

除此之外,std::unique_ptr获取其底层指针的所有权,在完成后删除指针;这是一个问题,因为你给了它一个指向“在堆栈上”的对象的指针,它已经被自动删除了。所以,你要两次删除你的对象。

我建议您动态分配您的对象,具体如下:

unique_ptr<a> ptr(new b);
ptr->z();
pb.push_back(std::move(ptr));

...然后不要再使用ptr

您还需要a中的虚拟析构函数。

您应该会发现自己是一本关于C ++的好书,因为这些是相当基本的概念,应该在您的阅读材料中介绍。