參考html
先來看一個普通類的直接賦值。ios
#include <iostream> using namespace std; class person{ int age; public: person(const int& a=10):age(a){} //構造函數 ~person(); //析構函數 void showAdd(); //打印age的地址 }; person::~person(){cout<<"析構\n";} void person::showAdd() {cout <<hex<< &age<<endl;} int main() { person a(11); person b; b = a; a.showAdd(); b.showAdd(); return 0; } /* 結果是: 0x7fffffffdc5c 0x7fffffffdc60 析構 析構 */
這是這個程序的內存狀況,一切都運行的很正常,不須要運算符重載。函數
看下邊這個例子,這個類的構造函數須要申請(new)堆內存:this
#include <iostream> using namespace std; class person{ int* age; public: person(const int& a=10); //構造函數 ~person(); //析構函數 void showAdd(); //打印age的地址 void show(); //打印age指向的值 void set(const int& a){*age=a;} }; person::person(const int& a) {age = new int(a);} person::~person(){delete age; cout<<"析構\n";} void person::showAdd() {cout << hex << age<<endl;} void person::show() {cout<<*age<<endl;} void f(person& a) { person b; b=a; a.show(); b.show(); a.showAdd(); b.showAdd(); //由於b是局部變量,因此進入main函數以前,b會自動調用析構函數 } int main() { person a(11); f(a); cout<<"進入main函數\n"; a.set(9); //由於b已經釋放過age指針,set應該會出錯 a.show(); return 0; }
運行結果以下:spa
這是這個程序進入 f() 函數時的內存狀況,兩個age指針指向同一塊內存。指針
這是這個程序退出 f() 函數進入main函數的狀況,由於b是局部變量,因此f()函數結束的時候,b會調用析構函數,釋放age指向的堆內存。這時候a.set()就會發生錯誤,由於內存已經釋放,無權修改內存裏的值。就算沒有set()函數,main函數結束的時候還會產生doublefree的錯誤,同一塊內存被釋放兩次,C++文檔說明這是個未定義行爲,因此不一樣編譯器可能處理手段不同,個人gcc 7.4.0 居然沒有報錯。後來我又在網上的一些在線編譯器實驗一下,有的會報錯,有的不會。code
因此結論就是:類的構造函數須要申請堆內存的時候,咱們要進行賦值運算符的重載,下面講如何重載。htm
#include <iostream> using namespace std; class person{ int* age; public: person(const int& a=10); //構造函數 ~person(); //析構函數 void showAdd(); //打印age的地址 void show(); //打印age指向的值 void set(const int& a){*age=a;} //設置age指向的值 void operator=(person const& e); //重載賦值運算符 }; void person::operator=(person const& e) { if(age) delete age; //若是原先age申請過堆內存,要先釋放 int data = *(e.age); age = new int(data); } person::person(const int& a) {age = new int(a);} person::~person(){delete age; cout<<"析構\n";} void person::showAdd() {cout << hex << age<<endl;} void person::show() {cout<<*age<<endl;} void f(person& a) { person b; b = a; //這時候b指向了一塊新的空間 a.show(); b.show(); a.showAdd(); b.showAdd(); //由於b是局部變量,因此進入main函數以前,b會自動調用析構函數 } int main() { person a(11); f(a); cout<<"進入main函數\n"; a.set(9); //由於b釋放的指針和age指向不同,set不會出錯 return 0; }
程序運行正常,內存圖以下:對象
注意上邊我用的operator=返回值是void, 這樣不能進行連續賦值,好比:person a = b = c;
,若想連續賦值,返回值要聲明爲 引用blog
person& person::operator=(person const& e) { if(age) delete age; int data = *(e.age); age = new int(data); return *this; }
再回看一下上邊的代碼,個人聲明語句和賦值語句是分開的person b; b=a;
,若是聲明時賦值person b=a;
,那麼調用的函數就不是operator=
了,而是拷貝函數
class person{ int* age; public: person(person const& e); //這就是拷貝函數 }
須要注意的是: 上邊說的operator返回值有兩種狀況:void和引用,其實還有第三種,既然能返回引用那就還能返回值:
person person::operator=(person const& e) { if(age) delete age; int data = *(e.age); age = new int(data); return *this; }
函數返回值的時候會臨時構造一個person
變量, 這個變量的age
的指向和調用operator=
的對象的age
指向同樣,也就是:
當operator=
調用完以後,臨時變量會調用析構函數,從而致使和上邊同樣的錯誤,doublefree。因此operator=
的返回值最好是引用!