UVa10305 拓扑排序

原题链接:UVa10305 P168

解析:在数据结构书上介绍此类题目解法,但还是紫书这个解法妙。

  • 检查是否存在有向环,若不存在,进行排序。
  • 由于递归,先压入数组的最大值,故topo数组要从后往前存。

代码实例:

// 题意:输入n和m,以及m个二元组(i,j),求1~n的一个排列使得对于每个(i,j),i在j的前面
// 算法:拓扑排序。注意m可能等于0
#include<cstdio>
#include<cstring>
const int maxn = 1000;
int n, m, G[maxn][maxn], c[maxn], topo[maxn], t;

bool dfs(int u){
  c[u] = -1;
  for(int v = 0; v < n; v++) if(G[u][v]) {
    if(c[v]<0) return false;
    else if(!c[v]) dfs(v);
  }
  c[u] = 1; topo[--t]=u;
  return true;
}

bool toposort(){
  t = n;
  memset(c, 0, sizeof(c));
  for(int u = 0; u < n; u++) if(!c[u])
    if(!dfs(u)) return false;
  return true;
}

int main() {
  while(scanf("%d%d", &n, &m) == 2 && n) {
    memset(G, 0, sizeof(G));
    for(int i = 0; i < m; i++) {
      int u, v;
      scanf("%d%d", &u, &v); u--; v--;
      G[u][v] = 1;
    }
    if(toposort()) {
      for(int i = 0; i < n-1; i++)
        printf("%d ", topo[i]+1);
      printf("%d
", topo[n-1]+1);
    }
    else
      printf("No
"); // 题目没说无解输出什么,应该是保证有解吧
  }
}
原文地址:https://www.cnblogs.com/long98/p/10352207.html