一、设计一个Per类,类中包含私有成员:姓名、年龄、指针成员身高、体重,再设计一个Stu类,类中包含私有成员:成绩、Per类对象p1,设计这两个类的构造函数、析构函数和拷贝构造函数。
代码:
#include <iostream>using namespace std;
//封装 Per 类
class Per
{
private:string name; //字符串类型姓名int age; //整型年龄double *height; //浮点指针类型 身高double weight; //浮点型体重
public://构造函数及初始化列表 指针类型身高在堆区申请内存存放数据Per(string name="",int age=0,double height=0,double weight=0):name(name),age(age),height(new double(height)),weight(weight){cout << "Per::构造函数" << endl;}//析构函数~Per(){ //释放类对象前 先释放堆区空间delete height;cout << "Per::析构函数" << endl;}//拷贝构造函数 (深拷贝,先在堆区申请空间并将要拷贝的数据放入,然后让本次新的指针变量height指向这片地址)Per(const Per &other):name(other.name),age(other.age),height(new double(*(other.height))),weight(other.weight){cout << "Per::拷贝构造函数" << endl;}void show()//展示内容{cout << "Per::name:" << name;cout << " Per::age = " << age;cout << " Per::*height = " << *height;cout << " Per::weight = " << weight << endl;}
};
class Stu //封装 Stu 类
{
private:int score; //整型成绩Per p1; //Per 类型的p1
public://构造函数及初始化列表 Per 类的成员由p1(..)调用其构造函数完成Stu(int score,string name,int age,double height,double weight):score(score),p1(name,age,height,weight){cout << "Stu::构造函数" << endl;}~Stu()//析构函数 先构造的后析构{cout << "Stu::析构函数" << endl;}//拷贝构造函数 p1(other.p1)调用Per类 拷贝构造函数完成Stu(const Stu &other):score(other.score),p1(other.p1){cout << "Stu::拷贝构造函数" << endl;}void show()//展示信息{cout << "Stu::score = " << score << endl;p1.show();}
};int main()
{//实例化一个s1对象 自动调用有参构造函数Stu s1(99,"张三",20,1.78,75.5);s1.show();cout << "----------------------" << endl;//实例化一个s2对象 并使用s1给它初始化Stu s2(s1);//自动调用拷贝构造函数s2.show();//类的生命周期结束 会自动调用析构函数 回收类对象资源return 0;
}
运行:
思维导图