👀 문제
https://www.acmicpc.net/problem/11650
👊 도전
풀이 방법 1
1. 설계
- x, y좌표값을 가지는 Dot클래스를 선언한다.
- Dot형 배열을 선언하여 값을 넣은 후, Array.sort()과 Comparator를 이용하여 x 우선 오름차순 정렬, 같다면 y 오름차순 정렬한다.
2. 구현 (성공 코드)
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
import java.util.Arrays;
import java.util.Comparator;
import java.util.Scanner;
/**
*
* @author HEESOO
*
*/
class Dot{
int x;
int y;
public Dot(int i, int j){
this.x=i;
this.y=j;
}
}
public class Main {
public static void main(String[] args) {
Scanner input=new Scanner(System.in);
int n=input.nextInt();
Dot[] array=new Dot[n];
for(int i=0;i<n;i++){
array[i]=new Dot(input.nextInt(), input.nextInt());
}
Arrays.sort(array, new Comparator<Dot>(){
@Override
public int compare(Dot d1, Dot d2){
if(d1.x==d2.x)
return d1.y-d2.y;
else
return d1.x-d2.x;
}
});
for(int i=0;i<n;i++){
System.out.println(array[i].x+" "+array[i].y);
}
}
}
3. 결과
🤟 성공 🤟
4. 설명
- Dot형 클래스를 선언한다.
- Dot형 배열을 선언하여 n개의 점을 입력받아 저장한다.
- Arrays.sort(), Comparator을 이용하여 조건에 맞게 정렬한다.
- x의 값이 같다면 y를 기준으로 오름차순 정렬하고, 다르다면 x를 기준으로 오름차순 정렬한다.