본문 바로가기

알고리즘

[백준] 2252번 줄세우기 C++ 문제풀이

https://www.acmicpc.net/problem/2252

 

2252번: 줄 세우기

첫째 줄에 N(1 ≤ N ≤ 32,000), M(1 ≤ M ≤ 100,000)이 주어진다. M은 키를 비교한 회수이다. 다음 M개의 줄에는 키를 비교한 두 학생의 번호 A, B가 주어진다. 이는 학생 A가 학생 B의 앞에 서야 한다는 의

www.acmicpc.net

문제 풀이

이 문제는 키의 순서가 정해져있을 때, 차례대로 출력하는 문제이므로 위상 정렬을 이용해야함을 알 수 있다.

1005번 ACM Craft 문제와 유사하지만 여기서는 배열을 출력해야한다는 점만 차이가 있다.

https://itcodeheaven.tistory.com/78

 

[백준] 1005번 ACM Craft C++ 문제풀이

https://www.acmicpc.net/problem/1005 1005번: ACM Craft 첫째 줄에는 테스트케이스의 개수 T가 주어진다. 각 테스트 케이스는 다음과 같이 주어진다. 첫째 줄에 건물의 개수 N과 건물간의 건설순서 규칙의 총

itcodeheaven.tistory.com

소스 코드

#include <iostream>
#include <vector>
#include <queue>
using namespace std;

vector<int> student[32001];
int indegree[32001] = { 0 };

int main() {
	int n, m;
	cin >> n >> m;
	for (int i = 0; i < m; i++) {
		int a, b;
		cin >> a >> b;
		student[a].push_back(b);
		indegree[b] += 1;
	}

	queue<int> q;
	for (int i = 1; i <= n; i++) {
		if (indegree[i] == 0) 
			q.push(i);
	}

	while (!q.empty()) {
		int idx = q.front();
		cout << idx << " ";
		q.pop();

		for (int i = 0; i < student[idx].size(); i++) {
			int dy = student[idx][i];
			indegree[dy] -= 1;
			if (indegree[dy] == 0) {
				q.push(dy);
			}
		}
	}

	return 0;
}