c++给一个类添加四个函数
- 默认构造函数(无参,函数体为空)
- 默认析构函数(无参,函数体为空)
- 默认拷贝构造函数,对属性进行值拷贝。
- 赋值运算符 operator= ,对属性进行值拷贝。
如果有属性指向堆区,做赋值时也会出现深浅拷贝问题
示例:
在这里插入代码片
#include<iostream>
using namespace std;
class Person
{
public:
Person (int age)
{
m_Age = new int(age);
}
Person& operator=(Person &p)
{
if(m_Age != NULL){
delete m_Age;
m_Age = NULL;
}
m_Age = new int(*p.m_Age);
return *this;
}
~Person()
{
if(m_Age != NULL){
delete m_Age;
m_Age = NULL;
}
}
int *m_Age;
};
void test01(){
Person p1(18);
Person p2(19);
Person p3(20);
p3 = p2 = p1;
cout<<"p1= " << *p1.m_Age <<endl;
cout<<"p2= " << *p2.m_Age <<endl;
cout<<"p3= " << *p3.m_Age <<endl;
}
int main(){
test01();
system("pause");
return 0;
}
这里首先在构造函数中将年龄属性放在堆区,因为堆区内存由程序员手动开辟,必须进行手动释放。所以在析构函数中释放。因为编译器提供的拷贝为浅拷贝,所以在析构时会出现重复释放堆区内存的问题,所以需要我们手写一个深拷贝来解决这个问题。在深拷贝中首先应该判断对象在堆区是否含有数据,如果有,先进行释放。 同时,因为赋值运算符合链式思维,所以拷贝构造函数在返回时需要返回自身,使用 *this 返回,同时类型使用引用的方式( Person& )来返回,确保返回的是自己本身,而不是返回值。这样能够是 p3 = p2 = p1; 进行赋值运算,同样也可以进行多个类对象赋值。
|