문제
N명의 학생들을 키 순서대로 줄을 세우려고 한다. 각 학생의 키를 직접 재서 정렬하면 간단하겠지만, 마땅한 방법이 없어서 두 학생의 키를 비교하는 방법을 사용하기로 하였다. 그나마도 모든 학생들을 다 비교해 본 것이 아니고, 일부 학생들의 키만을 비교해 보았다.
일부 학생들의 키를 비교한 결과가 주어졌을 때, 줄을 세우는 프로그램을 작성하시오.
입력
첫째 줄에 N(1 ≤ N ≤ 32,000), M(1 ≤ M ≤ 100,000)이 주어진다. M은 키를 비교한 회수이다. 다음 M개의 줄에는 키를 비교한 두 학생의 번호 A, B가 주어진다. 이는 학생 A가 학생 B의 앞에 서야 한다는 의미이다.
학생들의 번호는 1번부터 N번이다.
출력
첫째 줄에 학생들을 키 순서대로 줄을 세운 결과를 출력한다. 답이 여러 가지인 경우에는 아무거나 출력한다.
예제
코드
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
56
57
58
59
60
61
62
63
64
65
66
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;
public class Main_BJ_2252_줄세우기 {
static int N,M;
static ArrayList<ArrayList<Integer>> list = new ArrayList<ArrayList<Integer>>();
static int [] indegree;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st;
st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
indegree = new int[N+1];
for(int i=0;i<=N;i++) list.add(new ArrayList<>());
for(int i=0;i<M;i++) {
st = new StringTokenizer(br.readLine());
int a = Integer.parseInt(st.nextToken());
int b = Integer.parseInt(st.nextToken());
list.get(a).add(b);
indegree[b]++;
}
sort();
}
public static void sort() {
Queue<Integer> queue = new LinkedList<>();
Queue<Integer> result = new LinkedList<>();
for(int i=1;i<N+1;i++) {
if(indegree[i]==0) {
queue.add(i);
}
}
while(!queue.isEmpty()) {
int temp = queue.poll();
result.add(temp);
for(Integer item : list.get(temp)) {
indegree[item]--;
if(indegree[item]==0) {
queue.add(item);
}
}
}
while(!result.isEmpty()) {
System.out.print(result.poll()+" ");
}
}
}
|
cs |
'문제 > 백준' 카테고리의 다른 글
백준 1043번 거짓말 [JAVA] (0) | 2021.06.25 |
---|---|
백준 2174번 로봇 시뮬레이션 [JAVA] (0) | 2021.06.25 |
백준 10282번 해킹 [JAVA] (0) | 2021.06.17 |
백준 19942 다이어트 [JAVA] (0) | 2021.06.16 |
백준 5014번 스타트링크 [JAVA] (0) | 2021.06.16 |