如何在 C++ 中实现拷贝构造函数?
下面我们将看到如何在 C++ 中实现拷贝构造函数。在讨论这个问题之前,我们应该了解什么是拷贝构造函数。
拷贝构造函数 是一个构造函数,它通过使用以前创建的同类对象对一个对象进行初始化来创建这个对象。拷贝构造函数用于 -
- 从另一个同类对象初始化一个对象。
- 将一个对象复制为函数的参数。
- 将一个对象复制并将其作为函数的返回值。
如果一个类中没有定义拷贝构造函数,则编译器会自行定义一个。如果该类有指针变量和一些动态内存分配,则必须要有拷贝构造函数。最常见的拷贝构造函数形式如下 -
classname (const classname &obj) { // body of constructor }
其中,obj 是用于初始化另一个对象的某个对象的引用。
示例
#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!
让我们看同一个示例,但稍作更改,使用同类现有对象创建一个新对象 -
示例
#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 line1(10); Line line2 = line1; // This also calls copy constructor display(line1); display(line2); return 0; }
输出
Normal constructor allocating ptr Copy constructor allocating ptr. Copy constructor allocating ptr. Length of line : 10 Freeing memory! Copy constructor allocating ptr. Length of line : 10 Freeing memory! Freeing memory! Freeing memory!
广告