ZZULIOJ 1194: 总成绩排序(结构体专题),Java
题目描述
有一学生成绩表,包括学号、姓名、3门课程成绩。请按如下规则排序:按总成绩降序排序,若总成绩相同,则按姓名升序排序。
输入
首先输入一个整数n(1<=n<=100),表示学生人数;
然后输入n行,每行包含一个学生的信息:学号(12位)、姓名(不含空格且不超过20位),以及3个整数,表示3门课成绩,数据之间用空格隔开。
输出
输出排序后的成绩单,格式见输出样例。
样例输入 Copy
3
541207010188 Zhangling 89 78 95
541207010189 Wangli 85 87 99
541207010190 Fangfang 89 88 85
样例输出 Copy
541207010189 Wangli 85 87 99 271
541207010190 Fangfang 89 88 85 262
541207010188 Zhangling 89 78 95 262
import java.util.ArrayList;
import java.util.Collections;
import java.util.Scanner;class Student {String id;String name;int[] scores;public Student(String id, String name, int[] scores) {this.id = id;this.name = name;this.scores = scores;}public int getTotalScore() {return scores[0] + scores[1] + scores[2];}
}public class Main {public static void main(String[] args) {Scanner sc = new Scanner(System.in);int n = sc.nextInt();ArrayList<Student> students = new ArrayList<>();for (int i = 0; i < n; i++) {String id = sc.next();String name = sc.next();int[] scores = new int[3];for (int j = 0; j < 3; j++) {scores[j] = sc.nextInt();}students.add(new Student(id, name, scores));}Collections.sort(students, (s1, s2) -> {if (s1.getTotalScore() != s2.getTotalScore()) {return Integer.compare(s2.getTotalScore(), s1.getTotalScore()); // Descending by total score} else {return s1.name.compareTo(s2.name); // Ascending by name if total scores are the same}});for (Student student : students) {System.out.println(student.id + " " + student.name + " " + student.scores[0] + " " + student.scores[1] + " " + student.scores[2] + " " + student.getTotalScore());}}
}