为什么在此示例中调用了复制构造函数?

时间:2016-08-31 21:24:21

标签: c++ constructor

我是C ++的新手,我不明白为什么在以下代码中调用了复制构造函数:

 #include <iostream>

    using namespace std;

    class Line

{
   public:
      int getLength( void );
      Line( int len );             // simple constructor
      Line( const Line &obj);  // copy constructor
      ~Line();                     // destructor

   private:
      int *ptr;
};

// Member functions definitions including constructor
Line::Line(int len)
{
    cout << "Normal constructor allocating ptr" << endl;
    // allocate memory for the pointer;
    ptr = new int;
    *ptr = len;
}

Line::Line(const Line &obj)
{
    cout << "Copy constructor allocating ptr." << endl;
    ptr = new int;
   *ptr = *obj.ptr; // copy the value
}

Line::~Line(void)
{
    cout << "Freeing memory!" << endl;
    delete ptr;
}
int Line::getLength( void )
{
    return *ptr;
}

void display(Line obj)
{
   cout << "Length of line : " << obj.getLength() <<endl;
}

// Main function for the program
int main( )
{
   Line line(10);

   display(line);

   return 0;
}

当它运行时:

Normal constructor allocating ptr
Copy constructor allocating ptr.
Length of line : 10
Freeing memory!
Freeing memory!

为什么在第一个具有简单构造函数的对象之后构造另一个Line对象?

谢谢!

4 个答案:

答案 0 :(得分:7)

因为您将Line作为值传递

void display(Line obj)
{
   cout << "Length of line : " << obj.getLength() <<endl;
}

你应该将它作为常量引用传递,这更快(并且display应该是一个常量方法,因此常量对象可以调用它。)

void display(const Line &obj) const
{
   cout << "Length of line : " << obj.getLength() <<endl;
}

(假设您更改为int getLength( void ) const;

在您的情况下,考虑重新定义赋值运算符

Line &operator=(const Line &other);

或影响另一行中的一行会复制指针数据,并会因第二次删除对象而崩溃,因为内存将被释放两次。

如果要确保无法调用默认的复制构造函数/赋值运算符,只需在私有部分声明它们:

private:
  Line &operator=(const Line &other);
  Line(const Line &other);

尝试使用它们的代码将无法编译。

答案 1 :(得分:1)

您的display函数的值为Line - 意味着该函数有自己的副本。如果您不想这样,请改为通过(const)引用或指针。

答案 2 :(得分:1)

答案在这里:

void display(Line obj) { ...

函数obj的参数是passed by value

因此,当调用该函数时,调用函数传递的参数的 copy 已完成。

为了给你一个简单的解释,想象一下:

function:main (caller) -> 
make a copy of line ->
call the function display (callee) which is going to use the copy made by caller.

该政策在各种情况下使用,例如

  • 确保被调用者函数对调用者的变量产生任何影响(副作用)。
  • 当被调用函数执行对象的副本时,可以避免在body函数内部进行复制。

因为按值传递参数将执行参数本身的复制,所以最好使用通过引用传递的参数

这是一个例子:

void display(Line& obj) { ...

在这种情况下,它不会执行对象的副本,但参数obj将是调用者函数传递的参数的引用(如指针)。

总之,通过引用传递允许被调用函数副作用,换句话说,被调用函数可以通过调用函数修改变量“拥有”。

答案 3 :(得分:1)

在以下情况下调用复制构造函数:

  
    

(a)当函数返回该对象时     按值分类

         

(b)当该类的对象通过时     value作为函数的参数

         

(c)基于另一个构造对象时     同一类的对象

         

(d)当编译器生成临时对象并使用类对象初始化时。

  

在你的代码中,你通过value传递该clas的对象作为函数的参数 希望这有助于