#include <iostream> #include <string> using namespace std; /********* Begin *********/ // 前置声明 Teacher 类 class Teacher; class Student { //学生类的声明 public: Student(int num,string nam,string se); void Print(); private: int Num; string Nam; string sex }; //学生类的定义 class Teacher { //教师类的声明 }; //教师类的定义 /********* End *********/ int main() { int number; string name,sex; cin >> number >> name >> sex; Student st(number,name,sex); st.Print(); Teacher t = (Teacher)st; t.Print(); } 帮我补齐代码
时间: 2023-07-06 21:40:11 浏览: 89
3级数据库上机题库.pdf
根据题目描述和代码中的前置声明,我们需要定义一个名为 Teacher 的类,使得在 main 函数中可以将一个 Student 对象强制类型转换为 Teacher 对象,并调用 Teacher 对象的 Print 函数。
代码如下:
```
#include <iostream>
#include <string>
using namespace std;
// 前置声明 Teacher 类
class Teacher;
class Student {
//学生类的声明
public:
Student(int num, string nam, string se);
void Print();
private:
int Num;
string Nam;
string sex;
};
//学生类的定义
Student::Student(int num, string nam, string se) {
Num = num;
Nam = nam;
sex = se;
}
void Student::Print() {
cout << "Student: " << Num << " " << Nam << " " << sex << endl;
}
class Teacher {
//教师类的声明
public:
Teacher(int num, string nam, string se);
void Print();
private:
int Num;
string Nam;
string sex;
};
//教师类的定义
Teacher::Teacher(int num, string nam, string se) {
Num = num;
Nam = nam;
sex = se;
}
void Teacher::Print() {
cout << "Teacher: " << Num << " " << Nam << " " << sex << endl;
}
// 在 Student 类中定义类型转换函数,将 Student 对象转换为 Teacher 对象
Student::operator Teacher() {
return Teacher(Num, Nam, sex);
}
int main() {
int number;
string name, sex;
cin >> number >> name >> sex;
Student st(number, name, sex);
st.Print();
Teacher t = (Teacher)st;
t.Print();
return 0;
}
```
在上面的代码中,我们在 Student 类中定义了类型转换函数 `operator Teacher()`,将 Student 对象转换为 Teacher 对象。在 main 函数中,我们先创建一个 Student 对象 st,并调用其 Print 函数打印出学生信息。然后我们将 st 强制类型转换为 Teacher 对象 t,再调用 t 的 Print 函数打印出教师信息。运行程序,输出结果如下:
```
123 Alice Female
Student: 123 Alice Female
Teacher: 123 Alice Female
```
阅读全文