C++类中的特殊函数

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
class String{
private:
char* str;
int len;
public:
// 默认构造函数
String () {
len = 0;
str = nullptr;
}

// 构造函数
String (const char* s) {
len = std::strlen(s);
str = new char[len + 1];
std::strcpy(str, s);
}

// 拷贝构造函数
String (const String& st) {
// 拷贝构造函数的参数必须是引用类型而不能是类类型,类类型属于传值,而传值的方式会调用该类的拷贝构造函数,从而造成无穷递归地调用拷贝构造函数
// const,防止对实参的意外修改;能够接受 const 和 非 const 类型;使函数能够正确生成并使用临时对象
len = st.len;
str = new char[len + 1];
std::strcpy(str, st.str);
}
// 移动构造函数
String (String&& st) noexcept {
len = st.len;
str = st.str;
// 上面的语句拿了 st 的资源,所以要下面要置空,否则会有多个指针指向同一块内存的危险
st.str = nullptr; st.len = 0;
}

// 赋值运算符
String& operator= (const String& st) {
if (this == &st) return *this;
delete[] str; // 注意这里是赋值,原来的对象本身有内容,所以要释放掉
len = st.len;
str = new char[len + 1];
std::strcpy(str, st.str);
return *this;
}
// 移动赋值运算符
String& operator= (String&& st) noexcept {
if (this == &st) return *this;
delete[] str; // 注意这里是赋值,原来的对象本身有内容,所以要释放掉
len = st.len;
str = st.str;
// 上面的语句拿了 st 的资源,所以要下面要置空,否则会有多个指针指向同一块内存的危险
st.str = nullptr; st.len = 0;
return *this;
}

// 读写非 const 的对象
char& operator[] (int i) {
return str[i];
}
// 读 const 的类对象
const char& operator[] (int i) const{
return str[i];
}

// 重载 << 运算符;写成友元是为了可以这样使用(cout << object)否则只能(object << cout,因为二元运算符重载为成员函数的话只能设置一个参数作为右侧运算量,而左侧运算量就是对象本身)
friend ostream& operator<< (ostream& os, const String& st) {
os << st.str;
return os; // 返回 ostream& 是为了链式调用
}

~String() {
delete[] str; len = 0;
}
};

参考

  • 《C++ Primer Plus 中文版》 chapter 12

本博客所有文章除特别声明外,均采用 CC BY-SA 4.0 协议 ,转载请注明出处!