C++读取学生信息文件内容到学生数组中
时间: 2023-09-11 16:08:11 浏览: 105
可以使用 C++ 的文件读写操作来读取学生信息文件内容到学生数组中。以下是一个示例代码:
```c++
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
struct Student {
string name;
int age;
string gender;
};
int main() {
const int MAX_STUDENTS = 100;
Student students[MAX_STUDENTS];
int num_students = 0;
ifstream infile("students.txt");
if (infile.is_open()) {
string line;
while (getline(infile, line)) {
Student student;
student.name = line;
infile >> student.age >> student.gender;
students[num_students++] = student;
infile.ignore(); // ignore the newline character
}
infile.close();
} else {
cout << "Unable to open file" << endl;
return 1;
}
// print the contents of the array
for (int i = 0; i < num_students; i++) {
cout << students[i].name << " " << students[i].age << " " << students[i].gender << endl;
}
return 0;
}
```
在上面的代码中,我们首先定义了一个 `Student` 结构体来存储每个学生的信息。然后我们定义了一个大小为 `MAX_STUDENTS` 的 `students` 数组来存储所有学生的信息,并用 `num_students` 变量来记录实际读取到的学生数量。
接下来,我们使用 `ifstream` 对象来打开名为 `students.txt` 的文件,并进行读取操作。在每次循环中,我们首先读取一行学生姓名,并将其存储到 `student.name` 中。接着,我们使用 `>>` 运算符来从文件中读取学生的年龄和性别,并将它们存储到 `student.age` 和 `student.gender` 中。最后,我们将 `student` 对象存储到 `students` 数组中,并将 `num_students` 加 1。在每次循环结束后,我们使用 `ignore` 函数来忽略掉读取操作时留下的换行符。
最后,我们在循环外打印 `students` 数组中所有学生的信息,以验证读取操作是否成功。
注意,上面的示例代码中假设学生信息文件每行只包含一个学生的信息,即每行依次为学生姓名、年龄和性别。如果学生信息文件的格式不同,例如每个学生的信息分别存储在不同的行中,那么需要进行相应的更改。
阅读全文