判断拓扑序列
作者:
ysc
,
2021-07-28 10:51:49
,
所有人可见
,
阅读 244
#include <cstring>
#include <iostream>
#include <algorithm>
using namespace std;
const int N = 1e5+10;
int h[N], e[N], ne[N], idx; //邻接表存储
int d[N]; //记录所有点的入度
int q[N]; //入度为0的点进入的队列
int n, m;
void add(int a, int b) //背就完事了
{
e[idx] = b, ne[idx] = h[a], h[a] = idx ++;
}
bool topsort()
{
int hh = 0, tt = -1; //初始化对头和队尾;
for ( int i = 1; i <= n; i ++ ) //遍历所有的点,找到所有入度为0的点,然后入队
if ( !d[i] ) q[++ tt] = i;
while ( hh <= tt ) //当队列不空
{
int t = q[hh ++]; //取队头并弹出
for ( int i = h[t]; i != -1; i = ne[i] ) //遍历当前对头所能达到的点
{
int j = e[i]; //取出能够达到的点
if ( -- d[j] == 0 ) q[++ tt] = j; //删除队头后入度会-1,如果变为了0,说明入度为0,则入队
}
}
return tt == n - 1; //判断是否所有点都入队,如果都入队,说明存在拓扑序列,
//如果不是,则说明有环,不存在拓扑序列
}
int main()
{
memset(h, -1, sizeof h);
cin >> n >> m;
while ( m -- )
{
int a, b;
cin >> a >> b;
add(a, b);
d[b] ++; //a->b之间有向边,b入度加1
}
if ( topsort() )
{
for ( int i = 0; i < n; i ++ ) cout << q[i] << ' ';
puts("");
}
else puts("-1");
return 0;
}