std :: std :: shared_ptr用法的向量

时间:2012-08-16 11:00:04

标签: c++ visual-studio-2010

以下代码:

class Something
{
public:
     ~Something()
    {
    }
};

int main()
{
    Something* s = new Something[1]; // raw pointer received from C api
    std::shared_ptr<Something> p = std::shared_ptr<Something>(s);
    std::vector<std::shared_ptr<Something>> v(&p,&p+1);

    return 0;
}

在VS Express 2010中出现以下错误:

---------------------------
Microsoft Visual C++ Debug Library
---------------------------
Debug Assertion Failed!

File: f:\dd\vctools\crt_bld\self_x86\crt\src\dbgdel.cpp
Line: 52

Expression: _BLOCK_TYPE_IS_VALID(pHead->nBlockUse)

For information on how your program can cause an assertion
failure, see the Visual C++ documentation on asserts.

从Something中删除析构函数,错误消失,为什么会出现此错误?

更新

稍后我会有类似的事情:

Something* s = new Something[100];

并且各个共享指针将被传递给其他对象

2 个答案:

答案 0 :(得分:6)

Something* s = new Something[1]; // raw pointer received from C api
std::shared_ptr<Something> p = std::shared_ptr<Something>(s); 

是错误的用法,因为

~shared_ptr();

功效: - 如果*为空或与另一个shared_ptr实例共享所有权(use_count()&gt; 1), 没有副作用。

- 否则,如果*拥有对象p和删除者d,则调用d(p)。

- 否则,*它拥有一个指针p,并调用delete p。

默认删除器是operator delete,但是你有Something* s = new Something[1];由array-new运算符分配,应该用array-delete运算符(delete [])删除,否则它是未定义的行为。您应该使用特定的删除器构造shared_ptr,或者为数组使用某些东西,例如boost::shared_array

例如,此代码是正确的。

template<typename T>
void deleter(T* p)
{
   delete[] p;
}

Something* s = new Something[1]; // raw pointer received from C api
std::shared_ptr<Something> p = std::shared_ptr<Something>(s, deleter<Something>);

答案 1 :(得分:1)

假设你有一个充满动态分配指针的C数组,shared_ptr向量的使用大大简化了:

#include <vector>
#include <memory>

struct Foo { };

int main() {

  Foo* foos[5]; // simulate the array of pointers from C API
  foos[0] = new Foo();
  foos[1] = new Foo();
  foos[2] = new Foo();
  foos[3] = new Foo();
  foos[4] = new Foo();

  // create vector of shared_ptrs to C pointers
  std::vector<std::shared_ptr<Foo>> v(foos, foos+5);

}