C++類中,有時候使用到傳值調用(對象實體做參數),遇到這種情況,可要小心了!特別是當你所傳值的對象生命周期較長,而非臨時對象(生命周期段)的時候。來看看下面的情況:
#include <iostream>
using namespace std;
class Text
{
private:
char
* str;
public
:
Text(){str = new
char
[20];::memset(str,0,20);}
void SetText(
char
* str)
{
strcpy(this->str,str);
}
char
* GetText() const{
return
str;}
~Text()
{
cout <<
"~Text Destruction"
<< endl;
delete
[] str;
cout <<
"~Text Over"
<< endl;
}
};
void Print(Text str)
{
cout << str.GetText() << endl;
}
int
main()
{
Text t;
t.SetText(
"abc"
);
Print(t);
return
1;
}
上面執行的結果程序崩潰了。原因:
Print(Text str)在對str進行復制構造的時候,沒有進行深度拷貝;當 Print退出的時候,因為是臨時對象(函數初始時構造),對str進行析構,此時還沒有任何破綻;但回到main,繼而退出main 的時候,又對t進行析構,但此時t內的str中的內容已經被銷毀。由於對一內存空間實施了兩次銷毀,於是出現內存出錯。
解決方法: