我无法理解有关如何使用make_shared
和allocate_shared
初始化共享数组和指针的boost文档:
shared_ptr<int> p_int(new int); // OK
shared_ptr<int> p_int2 = make_shared<int>(); // OK
shared_ptr<int> p_int3 = allocate_shared(int); // ??
shared_array<int> sh_arr(new int[30]); // OK
shared_array<int> sh_arr2 = make_shared<int[]>(30); // ??
shared_array<int> sh_arr3 = allocate_shared<int[]>(30); // ??
我正在尝试学习正确的语法来初始化上述变量,注释为// ??
答案 0 :(得分:3)
allocate_shared
与make_shared
一样使用,除了您将分配器作为第一个参数传递。
boost::shared_ptr<int> p_int(new int);
boost::shared_ptr<int> p_int2 = boost::make_shared<int>();
MyAllocator<int> alloc;
boost::shared_ptr<int> p_int3 = boost::allocate_shared<int>(alloc);
make
没有boost::shared_array
函数,所以唯一的方法就是手动分配内存:
boost::shared_array<int> sh_arr(new int[30]);
但是boost::make_shared
等支持数组类型 - 无论是未知大小还是固定大小 - 在这两种情况下都会返回boost::shared_ptr
:
boost::shared_ptr<int[]> sh_arr2 = boost::make_shared<int[]>(30);
boost::shared_ptr<int[30]> sh_arr3 = boost::make_shared<int[30]>();
请注意,此时std::shared_ptr
不支持数组。