N명의 학생들을 키 순서대로 줄을 세우려고 한다. 각 학생의 키를 직접 재서 정렬하면 간단하겠지만, 마땅한 방법이 없어서 두 학생의 키를 비교하는 방법을 사용하기로 하였다. 그나마도 모든 학생들을 다 비교해 본 것이 아니고, 일부 학생들의 키만을 비교해 보았다.
일부 학생들의 키를 비교한 결과가 주어졌을 때, 줄을 세우는 프로그램을 작성하시오.
첫째 줄에 N(1 ≤ N ≤ 32,000), M(1 ≤ M ≤ 100,000)이 주어진다. M은 키를 비교한 회수이다. 다음 M개의 줄에는 키를 비교한 두 학생의 번호 A, B가 주어진다. 이는 학생 A가 학생 B의 앞에 서야 한다는 의미이다.
학생들의 번호는 1번부터 N번이다.
첫째 줄에 학생들을 키 순서대로 줄을 세운 결과를 출력한다. 답이 여러 가지인 경우에는 아무거나 출력한다.
graph[A].push_back(B)
를 해준다.indegree[B]
를 1 증가 시켜준다.queue
에 삽입한다.result
배열에 저장한다.result
배열을 출력한다.null
#include <iostream>
#include <vector>
#include <queue>
#include <algorithm>
using namespace std;
int n, m;
int indegree[32001];
vector<int> graph[32001];
void topologySort() {
queue<int> q;
vector<int> result;
for (int i = 1; i <= n; i++) {
if (indegree[i] == 0) {
q.push(i);
}
}
while (!q.empty()) {
int now = q.front();
result.push_back(now);
q.pop();
for (int i = 0; i < graph[now].size(); i++) {
int next = graph[now][i];
if (--indegree[next] == 0) q.push(next);
}
}
for (int i = 0; i < result.size(); i++) {
cout <<result[i]<<" ";
}
}
int main() {
cin.tie(NULL);
ios_base::sync_with_stdio(false);
cin >> n >> m;
for (int i = 0; i < m; i++) {
int a, b;
cin >> a >> b;
graph[a].push_back(b);
indegree[b]++;
}
topologySort();
}
const solution = (n, m, arr) => {
const answer = [];
const graph = Array(n + 1);
for (let i = 0; i < n + 1; i++) {
graph[i] = [];
}
const indegrees = Array(n + 1).fill(0);
for (const [small, tall] of arr) {
graph[small].push(tall);
indegrees[tall] += 1;
}
const visited = Array(n + 1).fill(false);
const q = [];
for (let i = 1; i < n + 1; i++) {
if (indegrees[i] === 0) {
visited[i] = true;
q.push(i);
}
}
while (q.length) {
const curr = q.shift();
answer.push(curr);
for (const next of graph[curr]) {
indegrees[next] -= 1;
}
for (let i = 1; i < n + 1; i++) {
if (!visited[i] && indegrees[i] === 0) {
q.push(i);
visited[i] = true;
}
}
}
return answer.join(' ');
};