N개의 수가 주어졌을 때, 이를 오름차순으로 정렬하는 프로그램을 작성하시오.
첫째 줄에 수의 개수 N(1 ≤ N ≤ 10,000,000)이 주어진다. 둘째 줄부터 N개의 줄에는 수가 주어진다. 이 수는 10,000보다 작거나 같은 자연수이다.
10
5
2
3
1
4
2
3
5
1
7
첫째 줄부터 N개의 줄에 오름차순으로 정렬한 결과를 한 줄에 하나씩 출력한다.
1
1
2
2
3
3
4
5
5
7
** 이 문제는 카운팅 정렬을 사용하라는 문제임
import java.io.*;
import java.util.*;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringBuilder sb = new StringBuilder();
int N = Integer.parseInt(br.readLine());
int num[] = new int[N];
for(int i = 0; i < N; i++) {
num[i] = Integer.parseInt(br.readLine());
}
Arrays.sort(num); // 오름차순 정렬
for(int i = 0; i < N; i++) {
sb.append(num[i]).append("\n");
}
System.out.println(sb);
br.close();
}
}
카운팅 정렬이 아닌 Arrays.sort()를 사용
BufferedReader 랑 StringBuilder 는 무조건 써야했음 (시간제한 때문에)
import java.io.*;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringBuilder sb = new StringBuilder();
int N = Integer.parseInt(br.readLine());
int num[] = new int[10001];
for(int i = 0; i < N; i++) {
num[Integer.parseInt(br.readLine())]++;
}
for(int i = 1; i < 10001; i++) {
while (num[i] > 0) {
sb.append(i).append("\n");
num[i]--;
}
}
System.out.println(sb);
br.close();
}
}
카운팅 정렬 사용
❗ 카운팅 정렬의 시간복잡도 : O(N) ~ O(N+K)