C++编译器至少给一个类添加四个函数
如果类中有属性指向堆区,做赋值操作时也会出现深浅拷贝问题
class Person{
Person(int age) {
cout << "Person有参构造函数调用" << endl;
m_Age = new int(age);
//这个堆区数据需要由程序员手动开辟,也需要由程序员手动释放
}
};
当进行对象赋值时,如
Person p1(18);
Person p2(20);
p2 = p1;
就会出现问题
原理就是深拷贝与浅拷贝那个原理,内存重复释放
所以要我们自己编写拷贝构造函数
但在写这个拷贝构造函数的时候,要先看,是否有属性在堆区,,如果有,先释放干净然后再深拷贝
这个p2已经有一个了,那就得先释放干净
void operator=(Person&p) {
if (m_Age != NULL)
delete m_Age;
m_Age = NULL;
m_Age = new int(*p.m_Age);
}
这样就可以不报错了
引申:
然后为了能够实现 p1=p2=p3
即对象的传递赋值
但是之前的赋值重载函数时void的返回值类型,不可以实现这个功能,
会报错
就需要改变一下
Person& operator=(Person&p) {//返回引用用来返回自身
if (m_Age != NULL)
delete m_Age;
m_Age = NULL;
m_Age = new int(*p.m_Age);
return *this;
}
附上整段可运行代码:
#include<iostream>
using namespace std;
class Person {
public:
Person() {
}
Person(int age) {
cout << "Person有参构造函数调用" << endl;
m_Age = new int(age);
//这个堆区数据需要由程序员手动开辟,也需要由程序员手动释放
}
~Person() {
if (m_Age != NULL)
delete m_Age;
m_Age = NULL;
}
Person& operator=(Person&p) {//返回引用用来返回自身
if (m_Age != NULL)
delete m_Age;
m_Age = NULL;
m_Age = new int(*p.m_Age);
return *this;
}
int *m_Age;
};
void test01() {
Person p1(18);
Person p2(20);
Person p3;
p3=p2= p1;
cout << "p3的年龄为:" << *p3.m_Age << endl;
}
int main() {
test01();
return 0;
}