PTA数据结构与算法题目集(中文) 7-40奥运排行榜 (25 分)
7-40 奥运排行榜 (25 分)
每年奥运会各大媒体都会公布一个排行榜,但是细心的读者发现,不同国家的排行榜略有不同。比如中国金牌总数列第一的时候,中国媒体就公布“金牌榜”;而美国的奖牌总数第一,于是美国媒体就公布“奖牌榜”。如果人口少的国家公布一个“国民人均奖牌榜”,说不定非洲的国家会成为榜魁…… 现在就请你写一个程序,对每个前来咨询的国家按照对其最有利的方式计算它的排名。
输入格式:
输入的第一行给出两个正整数N和M(≤,因为世界上共有224个国家和地区),分别是参与排名的国家和地区的总个数、以及前来咨询的国家的个数。为简单起见,我们把国家从0 ~ N−1编号。之后有N行输入,第i行给出编号为i−1的国家的金牌数、奖牌数、国民人口数(单位为百万),数字均为[0,1000]区间内的整数,用空格分隔。最后面一行给出M个前来咨询的国家的编号,用空格分隔。
输出格式:
在一行里顺序输出前来咨询的国家的排名:计算方式编号
。其排名按照对该国家最有利的方式计算;计算方式编号为:金牌榜=1,奖牌榜=2,国民人均金牌榜=3,国民人均奖牌榜=4。输出间以空格分隔,输出结尾不能有多余空格。
若某国在不同排名方式下有相同名次,则输出编号最小的计算方式。
输入样例:
4 4
51 100 1000
36 110 300
6 14 32
5 18 40
0 1 2 3
输出样例:
1:1 1:2 1:3 1:4
题目分析:利用表排序和快速排序对每个元素进行排序并写入到结构体数组中,注意当金牌数相同时,后一个排名与上一个相同
题外话:我自己写的比较相同排名时的函数过不了--来自菜鸡的抱怨
1 #define _CRT_SECURE_NO_WARNINGS 2 #include<stdio.h> 3 #include<string.h> 4 #include<malloc.h> 5 6 struct Country 7 { 8 float Medals[4]; 9 int Sort[4]; 10 }Countrys[224]; 11 int Table[224]; 12 int Note[224]; 13 void Swap(int i, int j) 14 { 15 int tmp = Table[i]; 16 Table[i] = Table[j]; 17 Table[j] = tmp; 18 } 19 void InitializeTable(int N) 20 { 21 for (int i = 0; i < N; i++) 22 { 23 Table[i] = i; 24 Note[i] = 0; 25 } 26 } 27 void QuickSort(int start,int end,int i) 28 { 29 if (start >= end - 1) 30 return; 31 int mid = (start + end) / 2; 32 Swap(start, mid); 33 int k = start + 1; 34 for (int j = start + 1; j < end; j++) 35 { 36 if (Countrys[Table[j]].Medals[i] > Countrys[Table[start]].Medals[i]) 37 Swap(k++, j); 38 } 39 Swap(start, k- 1); 40 QuickSort(start, k - 1, i); 41 QuickSort(k, end, i); 42 } 43 void Judget(int N,int i) 44 { 45 for (int j = 0; j < N; j++) 46 { 47 if (j > 0 && Countrys[Table[j]].Medals[i] == Countrys[Table[j - 1]].Medals[i]) 48 Countrys[Table[j]].Sort[i] = Countrys[Table[j - 1]].Sort[i]; 49 else 50 Countrys[Table[j]].Sort[i] = j; 51 } 52 } 53 int main() 54 { 55 int N, M; 56 scanf("%d%d", &N, &M); 57 float num; 58 for (int i = 0; i < N; i++) 59 { 60 scanf("%f%f%f", &Countrys[i].Medals[0], &Countrys[i].Medals[1], &num); 61 Countrys[i].Medals[2] = Countrys[i].Medals[0] / num; 62 Countrys[i].Medals[3] = Countrys[i].Medals[1] / num; 63 } 64 for (int i = 0; i < 4; i++) 65 { 66 InitializeTable(N); 67 QuickSort(0, N, i); 68 Judget(N,i); 69 } 70 int n; 71 for (int i = 0; i < M; i++) 72 { 73 int MinSort = 65535; 74 int Min = 65535; 75 scanf("%d", &n); 76 for (int j = 0; j < 4; j++) 77 { 78 if (Countrys[n].Sort[j] < MinSort) 79 { 80 MinSort = Countrys[n].Sort[j]; 81 Min = j; 82 } 83 else if (Countrys[n].Sort[j] == MinSort && j < Min) 84 Min = j; 85 } 86 if(i!=M-1) 87 printf("%d:%d ", MinSort+1, Min+1); 88 else 89 printf("%d:%d", MinSort + 1, Min + 1); 90 } 91 return 0; 92 }