C++ 拷貝構造函數
c++ 拷貝構造函數
什么是拷貝構造函數?首先對于普通類型的對象來說,它們之間的復制是很簡單的,例如:
int a = 100; int b = a;
而類對象與普通對象不同,類對象內部結構一般較為復雜,存在各種成員變量。
下面看一個類對象拷貝的簡單例子。
#include <iostream> using namespace std; class cexample { private: int a; public: //構造函數 cexample(int b) { a = b;} //一般函數 void show () { cout<<a<<endl; } }; int main() { cexample a(100); cexample b = a; //注意這里的對象初始化要調用拷貝構造函數,而非賦值 b.show (); return 0; }
運行程序結果為:
100
從以上代碼的運行結果可以看出,系統為對象 b 分配了內存并完成了與對象 a 的復制過程。就類對象而言,相同類型的類對象是通過拷貝構造函數來完成整個復制過程的。
拷貝構造函數是一種特殊的構造函數,它在創建對象時,是使用同一類中之前創建的對象來初始化新創建的對象。拷貝構造函數通常用于:
-
通過使用另一個同類型的對象來初始化新創建的對象。
-
復制對象把它作為參數傳遞給函數。
-
復制對象,并從函數返回這個對象。
如果在類中沒有定義拷貝構造函數,編譯器會自行定義一個。如果類帶有指針變量,并有動態內存分配,則它必須有一個拷貝構造函數。拷貝構造函數的最常見形式如下:
classname (const classname &obj) { // 構造函數的主體 }
在這里,obj 是一個對象引用,該對象是用于初始化另一個對象的。
#include <iostream> using namespace std; class line { public: int getlength( void ); line( int len ); // 簡單的構造函數 line( const line &obj); // 拷貝構造函數 ~line(); // 析構函數 private: int *ptr; }; // 成員函數定義,包括構造函數 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) { cout << "length of line : " << obj.getlength() <<endl; } // 程序的主函數 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 ); // 簡單的構造函數 line( const line &obj); // 拷貝構造函數 ~line(); // 析構函數 private: int *ptr; }; // 成員函數定義,包括構造函數 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) { cout << "length of line : " << obj.getlength() <<endl; } // 程序的主函數 int main( ) { line line1(10); line line2 = line1; // 這里也調用了拷貝構造函數 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!