学生成绩查询c++源代码
时间: 2023-08-03 21:05:01 浏览: 90
以下是一个简单的学生成绩查询的C++源代码示例。该程序可以让用户输入学生的姓名和成绩,然后查询指定学生的成绩。
```c++
#include <iostream>
#include <string>
#include <vector>
using namespace std;
struct Student {
string name;
int score;
};
int main() {
vector<Student> students;
// 添加学生信息
students.push_back({"Tom", 80});
students.push_back({"Jerry", 90});
students.push_back({"Alice", 85});
students.push_back({"Bob", 75});
// 查询学生成绩
string name;
cout << "请输入要查询的学生姓名:" << endl;
cin >> name;
bool found = false;
int score = 0;
for (const auto& student : students) {
if (student.name == name) {
found = true;
score = student.score;
break;
}
}
if (found) {
cout << name << " 的成绩是:" << score << endl;
} else {
cout << "找不到学生:" << name << endl;
}
return 0;
}
```
在这个示例程序中,我们使用了一个结构体 `Student` 来表示学生的信息,包括姓名和成绩。我们使用了一个 `vector` 容器来存储所有的学生信息,并在程序中添加了一些示例数据。
在查询学生成绩时,我们要求用户输入要查询的学生姓名,然后遍历所有的学生信息,查找姓名匹配的学生,并输出其成绩。如果找不到匹配的学生,则输出相应的提示信息。
阅读全文