逃生
Problem Description
糟糕的事情发生啦,现在大家都忙着逃命。但是逃命的通道很窄,大家只能排成一行。
现在有n个人,从1标号到n。同时有一些奇怪的约束条件,每个都形如:a必须在b之前。
同时,社会是不平等的,这些人有的穷有的富。1号最富,2号第二富,以此类推。有钱人就贿赂负责人,所以他们有一些好处。
负责人现在可以安排大家排队的顺序,由于收了好处,所以他要让1号尽量靠前,如果此时还有多种情况,就再让2号尽量靠前,如果还有多种情况,就让3号尽量靠前,以此类推。
那么你就要安排大家的顺序。我们保证一定有解。
第一行一个整数T(1 <= T <= 5),表示测试数据的个数。
然后对于每个测试数据,第一行有两个整数n(1 <= n <= 30000)和m(1 <= m <= 100000),分别表示人数和约束的个数。
然后m行,每行两个整数a和b,表示有一个约束a号必须在b号之前。a和b必然不同。
Output
对每个测试数据,输出一行排队的顺序,用空格隔开。
1 2 3 4 5 6 7 8 9 10 11 12
| 1 5 10 3 5 1 4 2 5 1 2 3 4 1 4 2 3 1 5 3 5 1 2
|
Sample Output
Solution
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 <bits/stdc++.h>
int main() {
std::ios::sync_with_stdio(false);
std::vector<std::vector<int>> edge = std::vector<std::vector<int>>(30001, std::vector<int>(0)); std::vector<int> in_degree = std::vector<int>(30001, 0);
int T; std::cin >> T; while(T--) { int n, m; std::cin >> n >> m; for(int i = 1; i <= n; i++) { edge[i].clear(); in_degree[i] = 0; }
while(m--) { int a, b; std::cin >> a >> b; in_degree[a]++; edge[b].push_back(a); }
std::priority_queue<int, std::vector<int>, std::less<int>> priorityQueue; for(int i = 1; i <= n; i++) { if(!in_degree[i]) { priorityQueue.push(i); } }
std::vector<int> res; while(!priorityQueue.empty()) { int currentIndex = priorityQueue.top(); priorityQueue.pop(); res.push_back(currentIndex); for(auto nextIndex : edge[currentIndex]) { in_degree[nextIndex]--; if(!in_degree[nextIndex]) { priorityQueue.push(nextIndex); } } }
for(int i = static_cast<int>(res.size() - 1); i >= 0; i--) { std::cout << res[i] << (i ? " " : ""); } std::cout << std::endl; } return 0; }
|