[요약]
- N명의 학생 이름과 국어, 영어, 수학 점수가 주어짐
- 국어 점수가 감소하는 순서로
- 국어 점수가 같으면 영어 점수가 증가하는 순서로
- 국어 점수와 영어 점수가 같으면 수학 점수가 감소하는 순서로
- 모든 점수가 같으면 이름이 사전 순으로 증가하는 순서로
- 정렬된 학생 이름 출력
첫째 줄에 도현이네 반의 학생의 수 N (1 ≤ N ≤ 100,000)이 주어진다. 둘째 줄부터 한 줄에 하나씩 각 학생의 이름, 국어, 영어, 수학 점수가 공백으로 구분해 주어진다. 점수는 1보다 크거나 같고, 100보다 작거나 같은 자연수이다. 이름은 알파벳 대소문자로 이루어진 문자열이고, 길이는 10자리를 넘지 않는다.
문제에 나와있는 정렬 기준으로 정렬한 후 첫째 줄부터 N개의 줄에 걸쳐 각 학생의 이름을 출력한다.
compareTo 함수를 이용하여 문제에서 주어진 정렬 조건을 적절하게 구현하면 된다.
import java.util.*;
class Student implements Comparable<Student> {
private String name;
private int korScore;
private int engScore;
private int mathScore;
public Student(String name, int korScore, int engScore, int mathScore) {
this.name = name;
this.korScore = korScore;
this.engScore = engScore;
this.mathScore = mathScore;
}
public String getName() {
return name;
}
@Override
public int compareTo(Student o) {
if (this.korScore == o.korScore && this.engScore == o.engScore && this.mathScore == o.mathScore) {
return this.name.compareTo(o.name);
}
if (this.korScore == o.korScore && this.engScore == o.engScore) {
return Integer.compare(o.mathScore, this.mathScore);
}
if (this.korScore == o.korScore) {
return Integer.compare(this.engScore, o.engScore);
}
return Integer.compare(o.korScore, this.korScore);
}
}
public class Q10825 {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
ArrayList<Student> students = new ArrayList<Student>();
for (int i = 0; i < n; i++) {
String name = sc.next();
int korScore = sc.nextInt();
int engScore = sc.nextInt();
int mathScore = sc.nextInt();
students.add(new Student(name, korScore, engScore, mathScore));
}
Collections.sort(students);
for (Student s : students) {
System.out.println(s.getName());
}
}
}