윤개발
백준 1181 단어정렬 본문
https://www.acmicpc.net/problem/1181
문제
알파벳 소문자로 이루어진 N개의 단어가 들어오면 아래와 같은 조건에 따라 정렬하는 프로그램을 작성하시오.
- 길이가 짧은 것부터
- 길이가 같으면 사전 순으로
입력
첫째 줄에 단어의 개수 N이 주어진다. (1≤N≤20,000) 둘째 줄부터 N개의 줄에 걸쳐 알파벳 소문자로 이루어진 단어가 한 줄에 하나씩 주어진다. 주어지는 문자열의 길이는 50을 넘지 않는다.
출력
조건에 따라 정렬하여 단어들을 출력한다. 단, 같은 단어가 여러 번 입력된 경우에는 한 번씩만 출력한다.
풀이
출력에 중복을 제거하라고 하였으므로 words 배열에는 중복이 아닐때만 add 한다.
정렬은 Collections.sort를 이용하였다.
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
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
public class P1181_단어정렬 {
public static void main(String[] args) throws NumberFormatException, IOException {
// TODO Auto-generated method stub
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int num = Integer.parseInt(br.readLine());
ArrayList<String> words = new ArrayList<>();
for (int i = 0; i < num; i++) {
String word = br.readLine();
if(!words.contains(word)) {
words.add(word);
}
}
Collections.sort(words, new Comparator<String>() {
@Override
public int compare(String o1, String o2) {
if (o1.length() > o2.length()) {
return 1;
} else if (o1.length() < o2.length()) {
return -1;
} else {
return o1.compareTo(o2);
}
}
});
for (String w : words) {
System.out.println(w);
}
}
}
|
cs |
'알고리즘' 카테고리의 다른 글
백준 5582번 공통 부분 문자열 (0) | 2020.02.25 |
---|---|
백준 9205번 맥주 마시면서 걸어가기 (0) | 2020.02.24 |
백준 1405번 - 미친로봇 (JAVA) (0) | 2019.09.21 |
백준 11403번 경로 찾기 (0) | 2019.06.12 |
백준 1260 번 DFS와 BFS (0) | 2019.06.12 |
Comments