前言:由于在系统的学习C++的相关内容,其实很多东西可以写成小结,但由于各种原因就没有放在博客上面,而是写在了本子上面,但最近的类中的深浅拷贝函数真的蛮有意思,感觉很有必要写篇博客做个了结!
关于类中的构造函数,C++编译器通常会在我们没有写构造函数时给我们调用默认构造函数,构造函数大体上可分为两种(有参和无参),如果我们写有构造函数,则必须要去调用,C++编译器会优先调用我们自己写的构造函数!对于拷贝构造函数来说,对于类中存在指针成员变量,默认拷贝函数被调用时称为浅拷贝,因为它只是简单的对成员变量进行了复制操作,而对于我们自己写的拷贝构造函数,C++编译器在调用时会会我们的指针变量重新分配内存空间。纸上谈兵不行,下面就用程序说话。
1、浅拷贝
#include<iostream>
#include<stdlib.h>
using namespace std;
class Student
{
public:
Student();
~Student();
private:
int age;
char* name;
};
Student::Student()
{
age = 10;
name = new char(20);
cout << "构造函数被调用!"<<endl;
}
Student::~Student()
{
cout << "~Student被调用! " << (int)name << endl;
age = 0;
delete name;
name = NULL;
}
void main()
{
Student s1;
Student s2(s1);
system("pause");
}
如下图设置断点可以分析其代码的编译过程:
最终的输出结果为:
由输出结果可知,浅拷贝根本没有给我们的name重新分配内存,这就导致在最终两个s1.name和s2.name都指向了同一块内存空间,在他们析构时,s2先析构导致s1.name指向不明,成为了野指针,最终出现了上图式报错。
2、深拷贝
#include<iostream>
#include<stdlib.h>
using namespace std;
class Student
{
public:
Student();
Student(Student& s);
~Student();
private:
int age;
char* name;
};
Student::Student(Student& s)
{
age = s.age;
name = new char(20);
cout << "copy构造函数被调用!" << endl;
}
Student::Student()
{
age = 10;
name = new char(20);
cout << "构造函数被调用!" << endl;
}
Student::~Student()
{
cout << "~Student被调用! " << (int)name << endl;
age = 0;
delete name;
name = NULL;
}
void main()
{
Student s1;
Student s2(s1);
system("pause");
}
调式如下:
输出结果如下:
可见调用自己写的拷贝构造函数时C++编译器会重新给name分配内存空间。
参考博客:https://blog.csdn.net/caoshangpa/article/details/79226270
相互学习,共同进步!