编程团体赛的规则为:每个参赛队由若干队员组成;所有队员独立比赛;参赛队的成绩为所有队员的成绩和;成绩最高的队获胜。

现给定所有队员的比赛成绩,请你编写程序找出冠军队。

输入格式:

输入第一行给出一个正整数 N(≤10),即所有参赛队员总数。随后 N 行,每行给出一位队员的成绩,格式为:队伍编号-队员编号 成绩,其中队伍编号为 1 到 1000 的正整数,队员编号为 1 到 10 的正整数,成绩为 0 到 100 的整数。

输出格式:

在一行中输出冠军队的编号和总成绩,其间以一个空格分隔。注意:题目保证冠军队是唯一的。

输入样例:

  1. 6
  2. 3-10 99
  3. 11-5 87
  4. 102-1 0
  5. 102-3 100
  6. 11-9 89
  7. 3-2 61

输出样例:

  1. 11 176

代码

  1. #include<cstdio>
  2. #include<cstring>
  3. int main() {
  4. int number;
  5. scanf("%d", &number);
  6. // Input the data and analyze
  7. int groupScore[1001] = {0};
  8. int tempScore = 0, groupID = 0, memberID = 0;
  9. for(int i = 0; i < number; i++) {
  10. scanf("%d-%d %d", &groupID, &memberID, &tempScore);
  11. groupScore[groupID] += tempScore;
  12. }
  13. // Find the champion and display the result
  14. int championScore = 0, championIndex = 0;
  15. for(int i = 0; i < (sizeof(groupScore) / sizeof(int)); i++) {
  16. if(groupScore[i] > championScore) {
  17. championScore = groupScore[i];
  18. championIndex = i;
  19. }
  20. }
  21. printf("%d %d", championIndex, championScore);
  22. return 0;
  23. }