1. 关于赋值的疑问
- 问题: 什么时候需要重载赋值操作符?编译器是否提供了默认的赋值操作?
- 编译器为每个类默认重载了赋值
- 默认的赋值操作符仅完成浅拷贝
- 当需要进行深拷贝时必须重载赋值操作符
- 赋值操纵符与拷贝构造函数有相同的存在意义
- 答案:在一个类中的成员指代了外部的资源,这个时候需要进行深拷贝,因此必须重载赋值操作符,在有必要的情况下,需要自定义拷贝构造函数。
编程说明:默认赋值操作符重载
#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 = 0x828b008
m_pointer = 0x828b018
总结:重载赋值操作符必须要实现深拷贝!!!
2. 编译器默认提供的函数
当一个类什么都没有写的时候,编译器会自动提供无参构造函数、拷贝构造函数、赋值操作符和析构函数这四个函数实现。
3. 关于string的疑问1
编程说明:下面程序输出结果是什么?为什么?
#include <iostream>
#include <string>
using namespace std;
int main()
{
string s = "12345";
const char* p = s.c_str();
cout << "p: " << p << endl;
s.append("abcde"); // p成为了野指针
cout << "p: " << p << endl;
return 0;
}
输出结果:
p: 12345
p: 12345
问题分析:总结:编程中C++编程和C语言编程分开,千万不要混合这两种编程,如果混合后会产生很多bug。
4. 关于string的疑问2
编程说明:下面程序输出结果是什么?为什么?
#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;
if( !s.empty() )
{
cout << s << endl;
}
return 0;
}
输出结果:
12345
5. 小结
- 在需要进行深拷贝得时候必须重载赋值操作符
- 赋值操作符和拷贝构造函数有同等重要的意义
- string类通过一个数据空间保存字符数据
- string类通过一个成员变量保存当前字符串的长度
- C++开发时尽量避开C语言中惯用的编程思想