cpp排序某个学科的成绩,已知数学英语成绩,按照数学成绩大小进行排序
时间: 2023-06-03 20:03:56 浏览: 92
好的,这是一个关于 C++ 排序的问题。你可以使用 STL 中的 sort 函数来对学生的数学成绩进行排序,具体的代码如下所示:
```
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
struct Student {
string name;
int mathScore;
int engScore;
};
bool compareStudent(const Student &a, const Student &b) {
return a.mathScore < b.mathScore;
}
int main() {
vector<Student> students = {
{"Tom", 80, 90},
{"Jerry", 70, 100},
{"Alice", 90, 80},
{"Bob", 60, 70},
};
sort(students.begin(), students.end(), compareStudent);
for (const auto & student: students) {
cout << student.name << " " << student.mathScore << " " << student.engScore << endl;
}
return 0;
}
```
在上面的代码中,我们先定义了一个结构体 `Student`,用来存储学生的姓名、数学成绩和英语成绩。然后我们又定义了一个比较函数 `compareStudent`,用来比较两个学生的数学成绩大小。
最后,我们使用 STL 中的 `sort` 函数对学生列表进行排序,排序的方法是按照学生的数学成绩从小到大进行排序。排序之后,我们再按顺序输出每个学生的姓名、数学成绩和英语成绩。
阅读全文