定义一个学生类Student,该类有如下数据成员(私有的): 姓名 学号 性别 电话号 该类有如下函数成员(公开的): 设置姓名 设置性别 设置学号 设置电话号 获取姓名 获取性别 获取学号 获取电话号 输出学生的基本信息 请定义该类,并通过main函数定义学生对象,测试其所有的成员函数的功能。实验分析
时间: 2024-03-07 21:53:39 浏览: 116
设计一个学生类Student(学生学号、姓名、数学、英语、计算机成绩;)
5星 · 资源好评率100%
好的,以下是定义一个学生类Student的代码实现:
```c++
#include <iostream>
#include <string>
using namespace std;
class Student {
private:
string name;
string id;
string gender;
string phone;
public:
void setName(string s) { name = s; }
void setId(string s) { id = s; }
void setGender(string s) { gender = s; }
void setPhone(string s) { phone = s; }
string getName() { return name; }
string getId() { return id; }
string getGender() { return gender; }
string getPhone() { return phone; }
void printInfo() {
cout << "姓名:" << name << endl;
cout << "学号:" << id << endl;
cout << "性别:" << gender << endl;
cout << "电话号码:" << phone << endl;
}
};
int main() {
Student stu;
stu.setName("张三");
stu.setId("20210001");
stu.setGender("男");
stu.setPhone("13812345678");
cout << "学生信息如下:" << endl;
stu.printInfo();
return 0;
}
```
在上面的代码中,我们定义了一个学生类`Student`,其中包括了学生的姓名、学号、性别、电话号码这四个数据成员。这四个数据成员都是私有的,外部不能直接访问,需要通过公开的成员函数进行访问和设置。
`setName`、`setId`、`setGender`、`setPhone`是设置学生姓名、学号、性别、电话号码的函数,通过传入字符串参数来设置相应的数据成员。`getName`、`getId`、`getGender`、`getPhone`是获取学生姓名、学号、性别、电话号码的函数,通过返回相应的数据成员来获取数据。
`printInfo`函数是输出学生信息的函数,通过调用`cout`来输出学生的基本信息。
在`main`函数中,我们定义了一个`Student`对象`stu`,并通过`setName`、`setId`、`setGender`、`setPhone`函数设置了学生的姓名、学号、性别、电话号码。然后通过调用`printInfo`函数输出学生的基本信息,实现了该类的所有要求功能。
阅读全文