3

我是新手C++ programming,当我阅读C++有关复制构造函数的内容时,我有一个疑问。为什么当我们将类的对象作为按值传递传递给外部函数时会调用复制构造函数。请通过我的代码如下。

#include "stdafx.h"
#include <iostream>
#include <conio.h>
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;
    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)//here function receiving object as pass by value 
{
  cout << "Length of line : " << obj.getLength() <<endl;
}

// Main function for the program
int main( )
{
    Line line(10);
    display(line);//here i am calling outside function
   _getch();
   return 0;
}

在上面,我将类的对象作为参数传递,并将接收它的显示函数作为值传递。我的疑问是,当我将对象传递给不是类成员的函数时,为什么要调用复制构造函数。如果我在函数[ie display(Line &Obj)] 中接收对象作为引用,display()则它不会调用复制构造函数。请帮助我有什么区别。

4

1 回答 1

10

当您按值传递某些内容时,复制构造函数用于初始化传递的参数——即,传递的是您提供的任何内容的副本,因此复制构造函数当然用于创建该副本。

如果您不希望复制该值,请改为通过(可能是 const)引用。

于 2013-03-06T06:47:53.757 回答