문제 : https://www.acmicpc.net/problem/11651

풀이방법


어제 풀었던 좌표 정렬하기 문제에서 x를 기준으로 정렬했다면 이 문제는 y를 기준으로 정렬하고 y좌표의 값이 같으면 x좌표를 오름차순으로 정렬하는 문제입니다. 어제 언급했던 Comparable or Comparator을 활용해서 문제를 풀 수 있는지 확인하는 문제입니다.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
import java.io.*;
import java.util.*;

public class BOJ11651 {
public static void main(String[] args) throws IOException {
BufferedReader bf = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));

int N = Integer.parseInt(bf.readLine());
List<Point> list = new ArrayList<>();

for (int i = 0; i < N; i++) {
StringTokenizer st = new StringTokenizer(bf.readLine(), " ");
int x = Integer.parseInt(st.nextToken());
int y = Integer.parseInt(st.nextToken());
list.add(new Point(x, y));
}

Collections.sort(list, new Comparator<Point>() {
@Override
public int compare(Point o1, Point o2) {
if(o1.y == o2.y){
if(o1.x>o2.x){
return 1;
}else if(o1.x<o2.x){
return -1;
}else {
return 0;
}
}else if(o1.y>o2.y){
return 1;
}else if(o1.y<o2.y){
return -1;
}else {
return 0;
}
}
});

for(int i=0;i<list.size();i++)
bw.write(list.get(i).x+" "+list.get(i).y+"\n");
bw.flush();
bw.close();
bf.close();
}
}
class Point {
int x;
int y;

public Point(int x, int y) {
this.x = x;
this.y = y;
}
}