unique_ptr作为类成员并且移动语义无法使用clang进行编译

时间:2013-07-18 14:25:56

标签: compiler-errors unique-ptr llvm-clang

我无法得到clang(Apple LLVM版本4.2(clang-425.0.28))来编译这些类:

struct A {
    int f(){return 2;}
};
class Cl{
     std::unique_ptr<A> ptr;

public:
     Cl(){ptr = std::unique_ptr<A>(new A);}

     Cl(const Cl& x) : ptr(new A(*x.ptr)) { }
     Cl(Cl&& x) : ptr(std::move(x.ptr)) { }
     Cl(std::unique_ptr<A> p) : ptr(std::move(p))  { }

    void m_ptr(std::unique_ptr<A> p){
        ptr = std::unique_ptr<A>(std::move(p));
    }
    double run(){return ptr->f();}
};

我想按如下方式运行构造函数:

std::unique_ptr<A> ptrB (new A);
Cl C = Cl(ptrB);

但如果我这样做,我得到以下编译器错误:     ../src/C++11-2.cpp:66:10:错误:调用隐式删除的'std :: unique_ptr'复制构造函数         C.m_ptr(的ptrB);

我可以通过运行Cl(std::move(ptrB))来解决编译器问题,但这实际上并没有将A的所有权从ptrB移开:我仍然可以运行ptrB->f()而不会导致运行时崩溃...其次,构造函数不是很令人满意,因为我想在类接口中隐藏std::move的实现。

提前致谢。

1 个答案:

答案 0 :(得分:2)

由于ptrB通过按值传递给Cl的复制构造函数,因此对Cl(ptrB)的调用会尝试创建ptrB的副本,而ptrB又调用unique_ptr的(明显禁用的)复制构造函数。为避免创建额外的ptrB副本,请执行以下操作:

Cl C = Cl(std::unique_ptr<A>(new A)); //A temporary is created on initialization, no extra copy steps performed

或者:

std::unique_ptr<A> ptrB (new A);
Cl C = Cl(std::move(ptrB)); //Move semantics used. Again, no extra copy steps

或者,在复制构造函数中使用按引用传递(rvalue或lvalue):

class Cl{

//...
public:
//...
     Cl(std::unique_ptr<A> &p) : ptr(std::move(p))  { }

//...

};

std::unique_ptr<A> ptrB (new A);
Cl C = Cl(ptrB);

P.S哦顺便说一句:在std :: move()之后,对象保持未指定但有效状态。我相信这意味着你仍然可以调用ptrB-&gt; f(),并且它是有保证的 返回2:)