定义一个人工智能学院大一学生类,派生出男生和女生类,利用私有继承输出男生数量和女生数量数,其中可以结合构造函数和析构函数完成,要求在类内定义一个静态成员变量来统计学生总人数。
时间: 2024-01-24 19:01:52 浏览: 50
好的,以下是代码实现:
```cpp
#include <iostream>
using namespace std;
class AI_Student {
public:
AI_Student() {
total_num++;
}
virtual ~AI_Student() {
total_num--;
}
static int get_total_num() {
return total_num;
}
private:
static int total_num;
};
int AI_Student::total_num = 0;
class AI_Boy : private AI_Student {
public:
AI_Boy() {
boy_num++;
}
~AI_Boy() {
boy_num--;
}
static int get_boy_num() {
return boy_num;
}
private:
static int boy_num;
};
int AI_Boy::boy_num = 0;
class AI_Girl : private AI_Student {
public:
AI_Girl() {
girl_num++;
}
~AI_Girl() {
girl_num--;
}
static int get_girl_num() {
return girl_num;
}
private:
static int girl_num;
};
int AI_Girl::girl_num = 0;
int main() {
AI_Boy b1, b2, b3;
AI_Girl g1, g2;
cout << "Total number of students: " << AI_Student::get_total_num() << endl;
cout << "Number of boys: " << AI_Boy::get_boy_num() << endl;
cout << "Number of girls: " << AI_Girl::get_girl_num() << endl;
return 0;
}
```
在上面的代码中,我们首先定义了一个 AI_Student 类,其中包含一个静态成员变量 total_num,用于统计学生的总人数。接着,我们定义了两个子类 AI_Boy 和 AI_Girl,它们都私有继承自 AI_Student 类。在这两个子类中,我们定义了两个静态成员变量 boy_num 和 girl_num,用于分别统计男生和女生的数量。
在每个类的构造函数中,我们都将 total_num 增加 1,并且将相应的 boy_num 或 girl_num 增加 1。在析构函数中,我们将 total_num 减少 1,并且将相应的 boy_num 或 girl_num 减少 1。
最后,在 main 函数中,我们创建了几个 AI_Boy 和 AI_Girl 对象,然后分别调用各自的 get_xxx_num 静态函数来输出男生数量和女生数量,以及调用 AI_Student 类的 get_total_num 函数来输出学生的总人数。
阅读全文