1.題目
讀入 n(>0)名學生的姓名、學號、成績,分別輸出成績最高和成績最低學生的姓名和學號。
輸入格式:
每個測試輸入包含 1 個測試用例,格式為
第 1 行:正整數 n
第 2 行:第 1 個學生的姓名 學號 成績
第 3 行:第 2 個學生的姓名 學號 成績
... ... ...
第 n+1 行:第 n 個學生的姓名 學號 成績
其中姓名和學號均為不超過 10 個字元的字串,成績為 0 到 100 之間的一個整數,這裡保證在一組測試用例中沒有兩個學生的成績是相同的。
輸出格式:
對每個測試用例輸出 2 行,第 1 行是成績最高學生的姓名和學號,第 2 行是成績最低學生的姓名和學號,字串間有 1 空格。
輸入樣例:
3
Joe Math990112 89
Mike CS991301 100
Mary EE990830 95
輸出樣例:
Mike CS991301
Joe Math990112
2.題解
2.1 STL容器的使用
思路
主要的麻煩點在於要同時儲存名字和學號兩個欄位,所以這裡使用pair配合vector進行儲存
程式碼
#include<bits/stdc++.h>
using namespace std;
int main(){
int n;
cin >> n;
pair<vector<string>, int> maxScore(vector<string>(2), 0);
pair<vector<string>, int> minScore(vector<string>(2), 100);
for(int i = 0; i < n; i++){
string name, idx;
int score;
cin >> name >> idx >> score;
if(score > maxScore.second){
maxScore.first = vector<string>{name, idx};
maxScore.second = score;
}
if(score < minScore.second){
minScore.first = vector<string>{name, idx};
minScore.second = score;
}
}
cout << maxScore.first[0] << " " << maxScore.first[1] << endl;
cout << minScore.first[0] << " " << minScore.first[1] << endl;
}
## 2.2 類的使用
### 思路
這裡體驗使用類Student來解決問題,完美解決了如何同時儲存name和idx的問題。
### 程式碼
include<bits/stdc++.h>
using namespace std;
class Student{
public:
Student(string name, string idx, int score):name(name),idx(idx),score(score){}
bool operator>(const Student& other)const{
return this->score > other.score;
}
string name;
string idx;
int score;
};
int main(){
int n;
cin >> n;
Student maxStudent("","",-1);
Student minStudent("", "", 101);
for(int i = 0; i < n; i++){
string name, idx;
int score;
cin >> name >> idx >> score;
Student newStudent(name, idx, score);
if(newStudent > maxStudent){
maxStudent = newStudent;
}
if(minStudent > newStudent){
minStudent = newStudent;
}
}
cout << maxStudent.name << " " << maxStudent.idx << endl;
cout << minStudent.name << " " << minStudent.idx << endl;
}