我读了一本书,它说: 当我们使用另一个初始化新创建的对象时 - 使用复制构造函数创建临时对象,然后使用赋值运算符将值复制到新对象!
在本书后面我读到: 当使用另一个对象初始化新对象时,编译器会创建一个临时对象,该对象使用复制构造函数复制到新对象。临时对象作为参数传递给复制构造函数。
真的很困惑,实际发生了什么!!
答案 0 :(得分:0)
我认为这些陈述中的任何一个都不正确 - 不会调用复制赋值运算符。
我会描述发生的事情:
当您创建新对象作为现有对象的副本时,将调用复制构造函数:
// creation of new objects
Test t2(t1);
Test t3 = t1;
仅当分配给现有对象时才会调用复制赋值运算符
// assign to already existing variable
Test t4;
t4 = t1;
我们可以通过以下小例证明这一点:
#include <iostream>
class Test
{
public:
Test() = default;
Test(const Test &t)
{
std::cout << "copy constructor\n";
}
Test& operator= (const Test &t)
{
std::cout << "copy assignment operator\n";
return *this;
}
};
int main()
{
Test t1;
// both of these will only call the copy constructor
Test t2(t1);
Test t3 = t1;
// only when assigning to an already existing variable is the copy-assignment operator called
Test t4;
t4 = t1;
// prevent unused variable warnings
(void)t2;
(void)t3;
(void)t4;
return 0;
}
输出:
copy constructor copy constructor copy assignment operator