答案是使用std::sort配合自定义比较函数或lambda表达式实现结构体数组排序。首先定义结构体Student并创建数组或vector,接着编写按成绩降序的比较函数cmpByScore,通过std::sort传入数组首尾和比较函数完成排序;对于vector可直接使用begin()和end()迭代器。C++11中可用lambda表达式内联比较逻辑,如按姓名升序或先按分数降序再按学号升序排列,关键在于返回a应排在b前的条件为true。

在C++中对结构体数组进行排序,通常使用 std::sort 函数,并自定义比较规则。下面详细介绍如何实现结构体数组的排序。
定义结构体并创建数组
首先定义一个结构体,例如表示学生信息:
struct Student {
int id;
std::string name;
double score;
};
然后声明一个结构体数组:
Student students[100]; // 或使用 vector std::vectorstudents_vec;
使用自定义比较函数排序
如果想按成绩(score)从高到低排序,可以写一个比较函数:
立即学习“C++免费学习笔记(深入)”;
bool cmpByScore(const Student& a, const Student& b) {
return a.score > b.score; // 降序
}
调用 std::sort:
std::sort(students, students + n, cmpByScore);
如果是 vector:
std::sort(students_vec.begin(), students_vec.end(), cmpByScore);
使用 lambda 表达式更灵活
C++11 支持 lambda,可以在排序时直接写比较逻辑。例如按名字字母顺序升序:
std::sort(students_vec.begin(), students_vec.end(),
[](const Student& a, const Student& b) {
return a.name < b.name;
});
也可以组合多个条件,比如先按分数降序,分数相同按学号升序:
std::sort(students_vec.begin(), students_vec.end(),
[](const Student& a, const Student& b) {
if (a.score != b.score)
return a.score > b.score;
return a.id < b.id;
});
基本上就这些。只要定义好比较逻辑,用 std::sort 配合函数或 lambda 就能轻松实现结构体数组排序。关键是理解比较函数返回 true 的情况表示 a 应该排在 b 前面。











