위상 정렬
1. 문제 해결 아이디어
indegree를 활용한 위상 정렬로 풀었다.
입력을 받을 때 각 정점마다 indegree가 몇 개 인지 배열에 저장해준다.
위상 정렬 bfs를 수행하면서 현재 정점의 자식 정점들의 indegree를 하나씩 빼준다.
만약 자식 정점의 indegree가 0이 된다면 현재 정점을 queue에 넣어준다.
queue에 넣는다는 의미는 자신보다 먼저 수행되어야 할 정점이 없어서 현재 정점을 바로 실행해도 무방하다는 의미라고 볼 수 있다.
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
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
|
#include <iostream>
#include <vector>
#include <queue>
#include <cstring>
using namespace std;
int N, M;
int indegree[1001];
vector<int> Singer[1001];
void input(){
cin >> N >> M;
for(int k = 0; k < M; k++){
int nos, sn, firstsn;
cin >> nos >> firstsn;
for(int i = 1; i < nos; i++){
cin >> sn;
Singer[firstsn].push_back(sn);
indegree[sn]++;
firstsn = sn;
}
}
}
void topological(){
vector<int> result;
queue<int> que;
bool visited[1001];
memset(visited,0, sizeof(visited));
for(int i = 1; i <= N; i++){
if(indegree[i] == 0){
que.push(i);
visited[i] = true;
}
}
while(!que.empty()){
int now = que.front();
que.pop();
result.push_back(now);
for(int &next : Singer[now]){
if(visited[next]) continue;
if(--indegree[next] == 0){
visited[next] = true;
que.push(next);
}
}
}
for(int i = 1; i <= N; i++){
if(indegree[i]){
cout << 0;
return;
}
}
for(int &w : result){
cout << w << "\n";
}
}
int main(){
input();
topological();
return 0;
}
|
cs |
'Algorithm > BOJ' 카테고리의 다른 글
[백준 4196] 도미노 C++ (0) | 2021.07.01 |
---|---|
[백준 1562] 계단 수 C++ (0) | 2021.06.29 |
[백준 11266] 단절점 C++ (0) | 2021.06.27 |
[백준 1208] 부분수열의 합2 C++ (0) | 2021.06.27 |
[백준 1688] 지민이의 테러 C++ (0) | 2021.06.27 |