unique_ptr operator =

时间:2012-02-22 11:25:16

标签: c++ visual-studio-2010 c++11 smart-pointers

std::unique_ptr<int> ptr;
ptr = new int[3];                // error
error C2679: binary '=' : no operator found which takes a right-hand operand of type 'int *' (or there is no acceptable conversion)

为什么不编译?如何将本机指针附加到现有的unique_ptr实例?

2 个答案:

答案 0 :(得分:29)

首先,如果您需要一个唯一的数组,请将其设为

std::unique_ptr<int[]> ptr;
//              ^^^^^

这允许智能指针正确使用delete[]来释放指针,并定义operator[]以模仿正常数组。


然后,operator=仅为唯一指针的rvalue引用而不是原始指针定义,并且原始指针不能隐式转换为智能指针,以避免意外分配打破唯一性。因此,无法直接为其指定原始指针。正确的方法是将它放到构造函数中:

std::unique_ptr<int[]> ptr (new int[3]);
//                         ^^^^^^^^^^^^

或使用.reset功能:

ptr.reset(new int[3]);
// ^^^^^^^          ^

或显式将原始指针转换为唯一指针:

ptr = std::unique_ptr<int[]>(new int[3]);
//    ^^^^^^^^^^^^^^^^^^^^^^^          ^

如果您可以使用C ++ 14,则首先使用new而不是ptr = std::make_unique<int[]>(3); // ^^^^^^^^^^^^^^^^^^^^^^^^^^

{{1}}

答案 1 :(得分:2)

添加答案 KennyTM

(自C ++ 11起)

 tr = (decltype(tr)(new int[3]));

我个人更喜欢这个,因为它更容易更新tr的类型。 (只有一个地方可以更新)