PAT乙級1004 成績排名 (20分)(C語言版)及解析

小朱同學的筆記本發表於2020-10-11

讀入 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

#include<stdio.h>
#include<stdlib.h>
#include<string.h>
struct student{
	char name[11];
	char num[11];
	int grade;
};
struct student *stu;
void input(int n){
	int i;
	stu=(struct student*)calloc(n,sizeof(struct student));
	for(i=0;i<n;i++){
		scanf("%s %s %d",stu[i].name,stu[i].num,&stu[i].grade);
	}
}
void compare(int n){
	int i;
	int index_max,index_min;
	index_max=index_min=0;
	for(i=1;i<n;i++){
		if(stu[i].grade>stu[index_max].grade)
			index_max=i;
		if(stu[i].grade<stu[index_min].grade)
			index_min=i;
	}
	printf("%s %s\n",stu[index_max].name,stu[index_max].num);
	printf("%s %s\n",stu[index_min].name,stu[index_min].num);
}
void main(){
	int n;
	scanf("%d",&n);
	input(n);
	compare(n);
}

解析:
1.題目要求手動輸入學生人數,因此我們需要利用calloc()函式來動態獲取記憶體空間
2.定義結構體儲存每個學生的姓名、學號和成績

相關文章