我是C++ programming
的新手,我在阅读关于复制构造函数的C++
时遇到了疑问。当我们将类的对象传递给外部函数作为pass by value时,为什么复制构造函数会调用。请仔细阅读我的代码。
#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;
}
在上面我传递类的对象作为参数和显示函数接收它作为通过值。我怀疑的是当我将对象传递给一个函数时,该函数不是类的成员,为什么复制构造函数正在调用。如果我在display()
函数[即display(Line&amp; Obj)]中接收对象作为参考,则它不会调用复制构造函数。请帮助我有什么区别。
答案 0 :(得分:10)
当您按值传递某些内容时,复制构造函数用于初始化传递的参数 - 即传递的内容是您提供的任何内容的副本,因此复制构造函数当然用于创建该副本。
如果您不想复制该值,请改为通过(可能是const)引用。