通过示例了解复制构造函数和赋值运算符

时间:2014-03-24 06:10:20

标签: c++

我最近一直在阅读“使用Qt 4进行C ++设计模式简介”这本书,我对以下示例感到困惑(代码来自本书,我自己做了一些小修改):

“fraction.h”

class Fraction
{
public:
    Fraction(int n, int d): m_Numer(n), m_Denom(d) {
        ++ctors;
    }

    Fraction(const Fraction& other)
        : m_Numer(other.m_Numer), m_Denom(other.m_Denom) {
        ++copies;
    }

    Fraction& operator = (const Fraction& other) {
        m_Numer = other.m_Numer;
        m_Denom = other.m_Denom;
        ++assigns;
        return *this;
    }

    Fraction multiply(Fraction f2) {
        return Fraction (m_Numer*f2.m_Numer, m_Denom*f2.m_Denom);
    }

    static void report();

private:
    int m_Numer, m_Denom;
    static int assigns;
    static int copies;
    static int ctors;
};

“的main.cpp”

#include <iostream>
#include "fraction.h"
using namespace std;

int Fraction::assigns = 0;
int Fraction::copies = 0;
int Fraction::ctors = 0;

void Fraction::report()
{
    cout<<"[assigns: "<<assigns<<", copies: "<<copies<<", ctors: "<<ctors<<"]\n\n";
}

int main()
{
    Fraction twothirds(2, 3); // It calls a constructor
    Fraction threequarters(3, 4); // It calls a constructor
    Fraction acopy(twothirds); // It calls a copy constructor
    Fraction f4 = threequarters;  
    // [Question A]: The book says it's using a copy constructor 
    //               but I don't see how. Isn't it an assignment?

    cout<<"after declarations\n";
    Fraction::report();  //output: [assogns: 0, copies: 2, ctors: 2]

    f4 = twothirds;  // It's an assignment using the assignment operator
    cout<<"before multiply\n";
    Fraction::report();  //output: [assogns: 1, copies: 2, ctors: 2]

    f4 = twothirds.multiply(threequarters);
    cout<<"after multiply\n";
    Fraction::report();  //output: [assogns: 2, copies: 3, ctors: 3]
    // [Question B]: How does the frunction "multiply" creates three Fraction objects?

    return 0;
}

正如我在main.cpp中留下的评论,我收到了2个问题。

[问题A]:为什么Fraction f4 = threequarters使用复制构造函数而不是赋值?

[问题B]:如何“加倍”创建三个Fraction对象?

特别是对于问题B,我无法弄清楚这三个对象在哪里。

请帮助我理解这些概念。提前谢谢。

2 个答案:

答案 0 :(得分:1)

问题A:为什么Fraction f4 =使用复制构造函数而不是赋值?

答案A:这是C ++语言的定义。如果您已经使用过

Fraction f4;
f4 = threequarters; 

然后第二行将使用赋值运算符。

问题B :frunction“multiply”如何创建三个Fraction对象?

回答B:

当您致电multiply时,参数f2是使用复制构造创建的。

该行

return Fraction (m_Numer*f2.m_Numer, m_Denom*f2.m_Denom);

使用常规构造函数构造对象。

该行

f4 = twothirds.multiply(threequarters);

multiply中构造的对象分配给f4

答案 1 :(得分:1)

问题A:因为在Fraction f4 = fourquarters中,f4还不存在,所以复制构造函数被调用来创建&#34; fourquarters&#34;的副本。 operator =仅在对象已存在时调用(即f4 = twothirds)

问题B:分数乘法(分数f2),当执行twothirds.multiply(四分之三)时,函数调用参数是&#34;传递值&#34; (即将副本传递给函数)。所以在这个例子中有一个&#34;四分之三&#34;制作并传递给&#34;乘以&#34;。然后在该函数内部通过调用构造函数显式创建了一个Fraction。最后你把它作为Fraction返回,这意味着它的副本返回了。因此整个函数调用使得1个复制构造函数调用传递给它,1个构造函数调用创建Fraction和1个复制构造函数调用以返回Fraction,总共3个。