上一节的:
例8-9构造函数重载。(其实应该放到 C语言日记 33 构造函数,但析构函数可以讲的内容太少了)
源程序:
- #include
- using namespace std;
- class Box
- {
- private:
- int height; int width; int length;
- public:
- Box();
- Box(int h);
- Box(int h, int w);
- Box(int h, int w, int len);
- int Volume();
- };
- Box::Box()
- {
- height = 10; width = 10; length = 10;
- }
- Box::Box(int h)
- {
- height = h; width = 10; length = 10;
-
- }
- Box::Box(int h, int w)
- {
- height = h; width = w; length = 10;
- }
- Box::Box(int h, int w, int len) :height(h), width(w), length(len)
- //用参数的初始化表对数据成员初始化
- {
-
- }
- int Box::Volume()
- {
- return (height * width * length);
- }
-
- int main()
- {
- Box boxl;//没有给实参
- Box box2(15);//只给定一个实参
- cout << "The volume of boxl is " << boxl.Volume() << endl;
- cout << "The volume of box2 is " << box2.Volume() << endl;
- Box box3(15, 30); //只给定 2 个实参
- cout << "The volume of box3 is " << box3.Volume() << endl;
- Box box4(15, 30, 20); //给定 3 个实参
- cout << "The volume of box4 is " << box4.Volume() << endl;
- return 0;
- }
结果:
The volume of boxl is 1000
The volume of box2 is 1500
The volume of box3 is 4500
The volume of box4 is 9000
用参数的初始化表对数据成员初始化
是什么东西?
详见28 类和对象-对象特性-初始化列表_哔哩哔哩_bilibili
例8-10:
- #include
- #include
- using namespace std;
- class Student//声明 Student类
- {
- private:
- int num;
- string name;
- char sex;
- public:
- Student(int n, string nam, char s)//定义构造函数
- {
- num = n;
- name = nam;
- sex = s;
- cout << "Constructor called." << endl; //输出有关信息
- }
- ~Student() //定义析构函数,输出有关信息
- {
- cout << "Destructor called. The num is " << num << "." << endl;
- }
- void display()//定义成员函数
- {
- cout << "num:" << num << endl;
- cout << "name:" << name << endl;
- cout << "sex:" << sex << endl << endl;
- }
- };
- int main()
- {
- Student stud1(10010, "Wang_li", 'f'); //建立对象 studl
- stud1.display();//输出学生 1 的数据
- Student stud2(10011,"zhang_fun",'m');//定义对象 stud2
- stud2.display();//输出学生 2的数据
- return 0;
- }
-
Constructor called:已调用构造函数
call:表调用,意思形式与其中的“传唤,传召(到法庭或官方委员会);”意思相似(类似、相近)
Destructor:破坏者
display:显示;表现;炫耀;陈列;
结果:
整个程序运行规则逻辑如下:
- 给对象分配存储空间
- 构造函数先行(打头阵),初始化
- 主函数登场,干活做事
- 析构函数断后(对程序内的每一个对象都进行释放清除操作)
- 释放对象(所占的)的存储空间
另外我们需要注意:
不管是析构函数还是构造函数,其定义(这俩玩意没有声明)位置空间都在类的公有成员里面(内)
在定义完了类中全部public的函数(及其他,目前根据我们学到的在类的公有属性区域好像除了函数里面也没别的啥东西了)以后
结尾最后花括号“}”结尾时,注意别忘了后面还要打上分号