复制构造函数和=运算符之间有什么区别

时间:2013-06-26 09:26:18

标签: c++

我写了一个简单的代码,我的问题是:为什么item_base只调用constrcut函数?item_base应该调用“copy construct function”吗?我观察到当我创建item_base2时,它调用“copy construct function”,但是item_base没有称为“复制构造函数”。有什么区别?

class Item_base {
    public:
        Item_base();
        Item_base(int);
        Item_base(const Item_base &base);
        void operator=(const Item_base &item);
        virtual ~Item_base();
};

Item_base::Item_base()
{
    cout << "construct function" << endl;
}

Item_base::Item_base(int a)
{
    cout << "arg construct function" << endl;
}
Item_base::Item_base(const Item_base &base)
{
    cout << "copy function" << endl;
}

void Item_base::operator=(const Item_base &item)
{
    cout << "= operator" << endl;
}

Item_base::~Item_base()
{
}


int main()
{
    //cout << "Hello world!" << endl;
    Item_base item_base = Item_base(1);//construct function
    Item_base item_base2 = item_base;//copy construct  function
    Item_base item_base3;
    item_base3 = item_base2;// =operator function
    return 0;
}

5 个答案:

答案 0 :(得分:5)

它被称为“复制省略”或“复制构造函数省略”。 C ++标准允许实现省略某些副本。从临时对象Item_base(1)到变量item_base的副本就是这样一个副本。

这同样适用于C ++ 11中的移动。

因此,当您定义item_base时,在您的实现中,它只是使用参数1构造,而不是构造临时构造然后复制。所有有价值的编译器都实现了copy elision,尽管如果你用编译器选项禁用它,你会看到两个构造函数在这里调用。

定义item_base2时,必须复制item_base,因为没有其他方法可用于初始化item_base2

定义item_base3时,它的构造没有参数。

当您分配到item_base3时,它已经存在,因此当然没有构造。调用赋值运算符。

答案 1 :(得分:0)

item_base不使用复制构造函数,因为该对象已经构造。 您只需分配item_base3,就不会重新创建它。

答案 2 :(得分:0)

复制构造函数在 COPY 已构建的对象到另一个 NEW 对象时被调用。电话是隐含的。

Item_base z;
Item_base x = z; //Copying `z` into `x`

赋值运算符用于显式赋值。不一定在构建时;

Item_base y;
y = x;

答案 3 :(得分:0)

要完全清楚,将为两个

调用复制构造函数
Item_base a2 = a1;

Item_base a2(a1);

也不会调用赋值运算符。

答案 4 :(得分:0)

复制构造函数通过使用现有对象来处理创建新对象,而赋值运算符在两个现有对象之间工作,即只将一个对象的值分配给其他对象。

Ex :(复制构造函数)

Item_base ib1;
Item_base ib2 = ib1; or Item_base ib2(ib1);

Ex :(作业员)

Item_base ib1;
Item_base ib2
ib1=ib2;