关于赋值的疑问
编译器为每个类默认重载了赋值操作符
默认的赋值操作符仅完成浅拷贝
当需要进行深拷贝时必须重载赋值操作符
赋值操作符与拷贝构造函数具有相同的存在意义
#include <iostream>
#include <string>
using namespace std;
class Test
{
int* m_pointer;
public:
Test()
{
m_pointer = NULL;
}
Test(int i)
{
m_pointer = new int(i);
}
Test(const Test& obj)
{
m_pointer = new int(*obj.m_pointer);
}
Test& operator = (const Test& obj)
{
if( this != &obj )
{
delete m_pointer;
m_pointer = new int(*obj.m_pointer);
}
return *this;
}
void print()
{
cout << "m_pointer = " << hex << m_pointer << endl;
}
~Test()
{
delete m_pointer;
}
};
int main()
{
Test t1 = 1;
Test t2;
t2 = t1;
t1.print();
t2.print();
return 0;
}
输出:
m_pointer = 0x8be6008
m_pointer = 0x8be6018
例子:
#include <iostream>
#include <string>
using namespace std;
int main()
{
string s= "123456";
const char *p = s.c_str();
cout << s << endl;
s.append("abced");
cout << s <<endl; //p成为野指针
return 0;
}
123456
123456abced
#include <iostream>
#include <string>
using namespace std;
int main()
{
const char* p = "12345";
string s = "";
s.reserve(10);
// 不要使用 C 语言中的方式操作 C++ 中的字符串
for(int i=0; i<5; i++)
{
s[i] = p[i];
}
cout << s << endl;
return 0;
}
输出:
空
解决办法:
例:
#include <iostream>
#include <string>
using namespace std;
int main()
{
const string p = "12345";
string s = "";
s = p;
cout << s << endl;
return 0;
}
输出:12345
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。