4.构造函数调用规则
默认情况下,c++编译器至少给一个类添加三个函数
1.默认构造函数(无参,函数体为空)
2.默认析构函数(无参,函数体为空)
3.默认拷贝构造函数,对属性进行拷贝
以上图片表明了即使没有拷贝构造函数,编译器会默认添加一个拷贝构造函数。
构造函数调用规则如下:
1)如果用户定义有参构造函数,c++不再提供默认无参构造,但是会提供默认拷贝构造。
2)如果用户定拷贝构造函数,c++不会再提供其他构造函数。
5.深拷贝和浅拷贝
浅拷贝:简单的赋值拷贝操作
深拷贝:在堆区重新申请空间,进行拷贝操作。
注意:对堆区的指针进行浅拷贝会导致堆区内存重复释放,要用深拷贝解决。
#include<iostream>
using namespace std;
class Person
{
public:
Person() {//程序开始时调用。
cout << "Person的默认构造函数调用" << endl;
}
Person(int age,int height)
{
m_Height=new int(height);//在堆区创造一个类对象。
m_Age = age;
cout << "Person的有参构造函数调用" << endl;
}
Person(const Person& p)
{
cout << "Person的拷贝构造函数调用" << endl;
m_Age = p.m_Age;
//m_Height = p.m_Height;此行是编译器默认实现的代码。(浅拷贝)
m_Height = new int(*p.m_Height);(创建一个新的堆区)
}
~Person()//程序结束后调用。
{
//析构代码,将堆区开辟数据做释放操作。
if (m_Height != NULL) {
delete m_Height;
m_Height = NULL;
}
cout << "Person的析构函数调用" << endl;
}
int m_Age;
int* m_Height;//身高。
};
void test01()
{
Person p1(18,160);
cout << "p1的年龄为: " << p1.m_Age << endl;
cout << "p1的身高为: " << *p1.m_Height << endl;
Person p2(p1);
cout << "p2的年龄为: " << p2.m_Age << endl;
cout << "p2的身高为: " << *p2.m_Height<< endl;
}
int main()
{
test01();
system("pause");
return 0;
}
6.初始化列表
初始化语法:构造函数():属性1(值1),属性2(值2)...{}
有以下两种形式。
7.类对象作为类成员
当类中成员是其他类对象时,我们称该成员为对象成员
构造的顺序时:先调用对象成员的构造,再调用本类构造,析构顺序虞构造相反。