目录
我们先来看一段代码
- #include <iostream>
- using namespace std;
- class student {
- public:
- student() //默认的构造函数
- {
- cout << "调用了默认构造函数" << endl;
- }
- student(int age, int height)//半缺省的构造函数
- {
- _age = age;
- _height = new int(height); //在堆区开辟内存
- cout << "调用了半缺省构造函数" << endl;
- }
- ~student()
- {
- if (_height)
- {
- delete _height;
- _height = NULL;
- }
- cout << "调用了析构函数" << endl;
- }
- int _age; //年龄
- int* _height; //体重
- };
-
- void test01(void) {
- student p1(10, 90);
- cout << "p1的年龄是" << p1._age << "体重是" << *p1._height << endl;
- student p2(p1);//浅拷贝
- cout << "p2的年龄是" << p2._age << "体重是" << *p2._height << endl;
-
- }
- int main(void)
- {
- test01();
- return 0;
- }
在这里我定义了两个 p1和p2,然后将p1通过浅拷贝复制给了p2
然后得到如下结果
我们可以看到虽然已经成功赋值,但是编译器报错,这就和浅拷贝有关
以上面为例
简单来说p2通过浅拷贝,和p1指向了同一个空间
由于栈区的规则是先进后出,当执行完拷贝构造函数的时候,我们程序就会先执行p2的析构函数,导致释放堆区开辟的数据,然后这个已经释放的内存又要再被p1释放,这样就会报错
就是说同一块内存数据被释放了两次,这是编译器所不允许的
同时,因为是指向同一个空间,如果p1发生改变,那么p2也会受到影响
比如我们修改一下p1的数据
- void test01(void) {
- student p1(1000000, 90000000);//修改了一下p1的数据
- cout << "p1的年龄是" << p1._age << "体重是" << *p1._height << endl;
- student p2(p1);
- cout << "p2的年龄是" << p2._age << "体重是" << *p2._height << endl;
-
- }
然后就是这个结果
浅拷贝总结:1.会析构两次2.一个对象改变会影响另一个对象
所以说为了避免这种问题,我们就引入了深拷贝
什么是深拷贝呢?
深拷贝就是我p2,也向内存申请一个和p1一样大的,用来存储数据的空间,同时将数据复制,然后p2指向这个新空间
这样析构的时候,p1和p2都只析构自己对应的空间,这样就不会报错了
为了实现这种深拷贝,我们就需要加入这段代码
- student(const student& p) //这里隐藏了this指针,实际上是p2(p1)
- {
- _age = p._age;
- _height = new int(*p._height);//复制+开一样大的新空间
- }
结果如下
这样编译器就不会报错了,而且看出析构了两次
- #include <iostream>
- using namespace std;
- class student {
- public:
- student() //默认的构造函数
- {
- cout << "调用了默认构造函数" << endl;
- }
- student(const student& p) {
- _age = p._age;
- _height = new int(*p._height);
- }
- student(int age, int height)//半缺省的构造函数
- {
- _age = age;
- _height = new int(height); //在堆区开辟内存
- cout << "调用了半缺省构造函数" << endl;
- }
- ~student()
- {
- if (_height)
- {
- delete _height;
- _height = NULL;
- }
- cout << "调用了析构函数" << endl;
- }
- int _age; //年龄
- int* _height; //体重
- };
-
- void test01(void) {
- student p1(1000000, 90000000);
- cout << "p1的年龄是" << p1._age << "体重是" << *p1._height << endl;
- student p2(p1);
- cout << "p2的年龄是" << p2._age << "体重是" << *p2._height << endl;
-
- }
- int main(void)
- {
- test01();
- return 0;
- }