学生类Student成员:id、yw、sx、sum。定于5位学生对象,对学生对象降序排序。编写“<”运算符函数,用于比较两个对象的大小(依据总分值决定对象的大小)。 Student s[5]=(Student(1001,80,80), Student(1002,70,70),Student(1003,90,90),Student(1004,50,50), Student(1005,60,60) ;
时间: 2023-08-08 10:04:52 浏览: 44
homework44_C语言_类和对象_C++作业_学生成绩_
以下是一个可能的解法:
```cpp
#include <iostream>
#include <algorithm>
using namespace std;
class Student {
public:
int id;
int yw;
int sx;
int sum;
Student(int i, int y, int s) : id(i), yw(y), sx(s), sum(y + s) {}
bool operator<(const Student& other) const {
return sum > other.sum;
}
};
int main() {
Student s[5] = {Student(1001, 80, 80), Student(1002, 70, 70), Student(1003, 90, 90), Student(1004, 50, 50), Student(1005, 60, 60)};
sort(s, s + 5);
for (int i = 0; i < 5; i++) {
cout << "id=" << s[i].id << ", yw=" << s[i].yw << ", sx=" << s[i].sx << ", sum=" << s[i].sum << endl;
}
return 0;
}
```
首先我们定义了一个 `Student` 类,包含了学生的 ID、语文成绩、数学成绩和总分。注意这里使用了成员初始化列表来初始化对象的成员变量。
然后我们在类中重载了 `<` 运算符,用于比较两个学生对象的大小。这里我们按照总分的大小来决定大小关系。
在 `main` 函数中,我们创建了一个包含 5 个学生对象的数组,并调用了 STL 的 `sort` 函数对数组进行排序。最后输出排序后的结果。
输出结果为:
```
id=1003, yw=90, sx=90, sum=180
id=1001, yw=80, sx=80, sum=160
id=1002, yw=70, sx=70, sum=140
id=1005, yw=60, sx=60, sum=120
id=1004, yw=50, sx=50, sum=100
```
阅读全文