拷贝构造函数

​ 今天的拷贝构造函数讲解了三种拷贝构造函数的使用形式,以及两种拷贝类型。两种拷贝类型分别是浅拷贝和深拷贝。三种拷贝的使用形式分别是

  1. 显示拷贝构造

  2. 主调函数传给被调函数形参

  3. 函数返回值是对象也调用拷贝构造函数

显示拷贝构造

对于显示拷贝构造,举一个最简单的例子即可

1
CSstudent stu2 = stu1;

主调函数传给被调函数形参

具体的内容见下面的程序以及注释

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
74
75
76
77
78
#define  _CRT_SECURE_NO_WARNINGS
#include<iostream>
#include<string>
using namespace std;
class CSstudent {
private:
int Ild;
char *sName;//修改1
int nAge;
public:

CSstudent(int Ild = 0, const char* name="NULL", int age = 0) {//const 表示里面的内容不能改变

this->Ild = Ild;//每个对象都有一个this指针,指向自己
//Ild = Ild;形参自己赋值给自己
nAge = age;
if (name) {
int nLen = (strlen(name)) + 1;
sName = new char[nLen];
strcpy_s(sName, nLen, name);
}
else {
sName = new char[7];//"未命名":6个字符 \0占一个字符,共7个
strcpy_s(sName, 7, "未命名");
}
}
//拷贝构造,参数是引用型对象
CSstudent(const CSstudent& stu) {
this->Ild = stu.Ild;
this->nAge = stu.nAge;
/*this->sName = stu.sName;//浅拷贝*/

//以下是深拷贝
int nLen = strlen(stu.sName) + 1;
this->sName = new char[nLen];
strcpy_s(this->sName, nLen, stu.sName);
cout << "拷贝构造" << sName << endl;
}
~CSstudent() {//析构函数
cout << sName <<" "<< "析构" << endl;
delete[] sName;// delete 中是否有[],取决于new的时候是否有[],保持一致

}
//成员函数在类中定义,一般说来是【内联函数】
void display() {
cout << Ild << "\t" << sName << "\t" << nAge << endl;

}


};
int main(void) {
CSstudent stu1(2021114062, "张三", 18);
stu1.display();
CSstudent stu[2];//创建有10个对象的数组
for (int i = 0; i < 2; i++) {
stu[i].display();
cout << endl;
}
CSstudent* pStu = NULL;//以下并没有创建对象,只是声明了一个指针
//pStu = &stu1; 指针指向stu1
pStu = new CSstudent(20230999, "李四",19);

CSstudent stu3(*pStu);
/*
1.由系统创建的对象,系统会自动调用析构函数
2.自己new出来的对象,必须显示的调用析构函数来释放内存,否则会造成内存泄露
*/
pStu->display();
delete pStu;/*不可以使用pStu->~CSstudent(),即使可以通过*/

CSstudent stu2 = stu1;//调用的不是赋值运算,而是自动调用拷贝构造函数,等价于CSstudent stu2(stu1);
/*深拷贝和浅拷贝!!!*/
stu2.display();


return 0;
}

函数返回值是对象也调用拷贝构造

见如下例子,该例子十分重要,仔细看一下

1
2
3
4
CSstudent test(CSstudent stu){      //实参传入形参的时候 调用拷贝构造函数赋值个stu
return stu; //返回值是对象,调用拷贝构造函数赋值给无名变量!!,
//返回的时候,形参析构函数自动调用,然后赋值给无名变量以后,return stu 中stu也被析构了!!!
}

先拷贝与深拷贝

在这里给出定义:

浅拷贝

拷贝构造函数:当没编写拷贝构造,则使用默认的拷贝构造,此时属于【浅拷贝】

深拷贝

深拷贝涉及到新开辟一块地址空间