1.題目描述
Time Limit: 1000 ms
Memory Limit: 32768 mb
用一維陣列儲存學號和成績,然後,按成績排序輸出。
輸入輸出格式
輸入描述:
輸入第一行包括一個整數N(1<=N<=100),代表學生的個數。
接下來的N行每行包括兩個整數p和q,分別代表每個學生的學號和成績。
輸出描述:
按照學生的成績從小到大進行排序,並將排序後的學生資訊列印出來。
如果學生的成績相同,則按照學號的大小進行從小到大排序。
輸入輸出樣例
輸入樣例#:
3
1 90
2 87
3 92
輸出樣例#:
2 87
1 90
3 92
題目來源
清華大學上機題
2.題解
2.1 class類 + 過載
思路
程式碼
#include<bits/stdc++.h>
using namespace std;
class Student {
public:
int id, score;
Student(int sid, int sscore) : id(sid), score(sscore) {}
bool operator<(const Student &other) const {
if (score != other.score) {
return score < other.score; // 分數高的在前
}
return id < other.id; // 分數相同,id 小的在前
}
};
int main() {
int n;
cin >> n;
vector<Student> students;
for (int i = 0; i < n; i++) {
int sid, sscore;
cin >> sid >> sscore;
Student stu(sid, sscore);
students.push_back(stu);
}
sort(students.begin(), students.end()); // 預設使用的是 <
// sort(students.begin(), students.end(), greater<Student>()); // 如果過載的是大於>,需要標明比較函式
for (Student stu : students) {
cout << stu.id << " " << stu.score << endl;
}
}
2.2 set集合 + 自定義比較物件(仿函式)
思路
利用set集合自動排序的功能,自定義排序物件/lambda表示式即可
#include<iostream>
#include<set>
using namespace std;
// 定義自定義比較器結構體
struct compare {
bool operator()(const pair<int, int>& a, const pair<int, int>& b)const
{
if (a.second == b.second)
return a.first < b.first;
else
return a.second < b.second;
}
};
//// 定義自定義比較器類
//class Compare {
//public:
// bool operator()(const pair<int, int>& a, const pair<int, int>& b) const {
// if (a.second != b.second)
// return a.second < b.second; // 按第二個元素降序排列
// return a.first < b.first; // 如果第二個元素相同,按第一個元素升序排列
// }
//};
int main()
{
int n;
cin >> n;
// lambda 表示式使用方法(不建議,有點麻煩)
// auto compare = [](const pair<int, int>& a, const pair<int, int>& b) {
// if (a.second != b.second)
// return a.second < b.second; // 按第二個元素降序排列
// return a.first < b.first; // 如果第二個元素相同,按第一個元素升序排列
// };
// set<pair<int, int>, decltype(compare)> myset(compare);
set<pair<int, int>, compare> myset;
for (int i = 0; i < n; i++)
{
int a, b;
cin >> a >> b;
myset.insert(make_pair(a, b));
}
for (auto& a : myset)
{
cout << a.first << " " << a.second << endl;
}
return 0;
}
2.3 set集合 + 類(過載<符號運算子)
思路
set集合預設使用類中的 operator< 運算子
程式碼
#include <bits/stdc++.h>
using namespace std;
class Student {
public:
int id, score;
Student(int sid, int sscore) : id(sid), score(sscore) {}
bool operator<(const Student &other) const {
if (score != other.score) {
return score < other.score; // 分數低的在前
}
return id < other.id; // 分數相同,id 小的在前
}
};
int main() {
int n;
cin >> n;
set<Student> students; // 使用 set 容器,依賴 Student::operator<
for (int i = 0; i < n; i++) {
int sid, sscore;
cin >> sid >> sscore;
Student stu(sid, sscore);
students.emplace(stu);
}
for (const Student& stu : students) {
cout << stu.id << " " << stu.score << endl;
}
return 0;
}