为什么 std::make_unique 调用复制构造函数
Why std::make_unique calls copy constructor
我想知道为什么 make_unique 调用复制构造函数而不调用默认构造函数。
Node()
{
std::cout << "default";
}
~Node(){
std::cout << " Delete";
}
Node(const Node& other ){
std::cout << "copy";
}
int main(){
Node<int,int,int,int> test1; //Calling default Cons
std::unique_ptr<Node<int,int,int,int>> test2 =
std::make_unique<Node<int,int,int,int>>(test1);//Nothing called
Node<int,int,int,int> *test3 = test2.get();
Node<int,int,int,int> test4 = Node<int,int,int,int>(*test3);// Calling copy Cons
std::unique_ptr<Node<int,int,int,int>> test5 =
std::make_unique<Node<int,int,int,int>(test4);//Calling copy Cons
}
例如上面的代码:
首先,我们创建 Node 对象 -> 调用默认构造函数。
然后我们将这个对象包装成智能指针对象 -> 没有调用。
但是如果我们深拷贝 Node 对象 -> 调用拷贝构造函数
然后将副本包装到智能指针对象->调用复制构造函数。
它与新控制块的创建有某种联系?
std::unique_ptr<Node<int,int,int,int>> test5 =
std::make_unique<Node<int,int,int,int>(test4);// You copy from test4
std::make_unique
创建一个 new 指针。它不重用现有指针。
因此,由于 test4 已经存在,因此必须复制它。 test5 构造完成后,test4 还在(所以不能移动),test5 持有一个从 test4 复制的新对象。
我想知道为什么 make_unique 调用复制构造函数而不调用默认构造函数。
Node()
{
std::cout << "default";
}
~Node(){
std::cout << " Delete";
}
Node(const Node& other ){
std::cout << "copy";
}
int main(){
Node<int,int,int,int> test1; //Calling default Cons
std::unique_ptr<Node<int,int,int,int>> test2 =
std::make_unique<Node<int,int,int,int>>(test1);//Nothing called
Node<int,int,int,int> *test3 = test2.get();
Node<int,int,int,int> test4 = Node<int,int,int,int>(*test3);// Calling copy Cons
std::unique_ptr<Node<int,int,int,int>> test5 =
std::make_unique<Node<int,int,int,int>(test4);//Calling copy Cons
}
例如上面的代码: 首先,我们创建 Node 对象 -> 调用默认构造函数。 然后我们将这个对象包装成智能指针对象 -> 没有调用。
但是如果我们深拷贝 Node 对象 -> 调用拷贝构造函数 然后将副本包装到智能指针对象->调用复制构造函数。
它与新控制块的创建有某种联系?
std::unique_ptr<Node<int,int,int,int>> test5 =
std::make_unique<Node<int,int,int,int>(test4);// You copy from test4
std::make_unique
创建一个 new 指针。它不重用现有指针。
因此,由于 test4 已经存在,因此必须复制它。 test5 构造完成后,test4 还在(所以不能移动),test5 持有一个从 test4 复制的新对象。