반응형
본 문제는 DAG(topology sort)를 구현하는 문제다. 각 작업마다 필요한 선행작업 개수를 구하고, 선행작업이 0인 작업 부터 탐색한다. 탐색을 완료할 때 마다 다음 작업을 1씩 감소하여 0이 될때 queue에 추가한다. 자세한 설명은 주석 처리하였다.
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
|
#include <cstdio>
#include <queue>
#include <vector>
using namespace std;
int is_right[1001] = { 0 };
int d[1001];
int a[1001];
int main() {
int t;
scanf("%d", &t);
while (t--) {
int n, m;
scanf("%d %d", &n, &m);
for (int i = 1; i <= n; i++) {
scanf("%d", &d[i]);
a[i] = d[i];
}
vector<int> v[1001];
for (int i = 0; i < m; i++) {
int x, y;
scanf("%d %d", &x, &y);
v[x].push_back(y);
// 선행 작업의 개수를 구한다.
is_right[y] += 1;
}
int w;
scanf("%d", &w);
queue<int> q;
for (int i = 1; i <= n; i++) {
// 선행 작업이 없는 작업을 queue에 저장
if (is_right[i] == 0) q.push(i);
}
while (!q.empty()) {
int node = q.front();
q.pop();
for (int k = 0; k < v[node].size(); k++) {
int next = v[node][k];
is_right[next] -= 1;
// 작업이 오래걸리는 경우를 계산
if (a[next] < a[node] + d[next]) a[next] = a[node] + d[next];
// 선행작업을 모두 완료했을 때, queue에 저장
if (is_right[next] == 0) q.push(next);
}
}
printf("%d\n", a[w]);
}
}
|
cs |
반응형
'백준' 카테고리의 다른 글
[백준 15662] 톱니바퀴 (2), C++ (0) | 2020.04.12 |
---|---|
[백준 1938] 통나무 옮기기, C++ (0) | 2020.03.30 |
[백준 16926] 배열 돌리기 1, C++ (0) | 2020.03.12 |
[백준 16234] 인구 이동, C++ (0) | 2020.03.10 |
[백준 1525] 퍼즐, C++ (0) | 2020.03.09 |
댓글