任务:编写函数实现图的拓扑排序。
#include <bits/stdc++.h>
using namespace std;
const int N =20;
/*
9 11
C1 C2 C3 C4 C5 C6 C7 C8 C9
0 2
0 7
1 2
1 3
1 4
2 3
3 5
3 6
4 5
7 8
8 6
*/
typedef struct node
{
int adj;
struct node *nextarc;
}arcNode;
typedef struct
{
string data;
arcNode *firstArc;
}vexNode;
typedef struct
{
int n,e;
vexNode adjlist[N];
}AdjGraph;
void creatGraph(AdjGraph &g)
{
cin>>g.n>>g.e;
for(int i=0;i<g.n;i++)
{
cin>>g.adjlist[i].data;
g.adjlist[i].firstArc=NULL;
}
int u,v;
for(int i=0;i<g.e;i++)
{
cin>>u>>v;
arcNode *s=new arcNode;
s->adj=v;
s->nextarc = g.adjlist[u].firstArc;//??
g.adjlist[u].firstArc=s;
}
}
int TopoSort(const AdjGraph &g)
{
stack<int> s;
int indegree[N]={0};
arcNode *p;
for(int i=0;i<g.n;i++)//求入度
{
p=g.adjlist[i].firstArc;
while(p)
{
indegree[p->adj]++;
p=p->nextarc;
}
}
for(int i=0;i<g.n;i++)//将入度为0的顶点入栈
{
if(indegree[i]==0)
s.push(i);
}
int count =0;//统计输出顶点的个数
int u;
while(!s.empty())
{
u=s.top();s.pop();//出栈
cout<<g.adjlist[u].data<<" ";
count++;
//顶点u的所有邻接点入度减一,如果有入度为0的顶点,则入栈
p=g.adjlist[u].firstArc;
while(p)
{
indegree[p->adj]--;
if(indegree[p->adj]==0) s.push(p->adj);
p=p->nextarc;
}
}
if(count<g.n) return 0;//该有向图有回路
else
return 1;
}
int main()
{
AdjGraph g;
creatGraph(g);
if(TopoSort(g)==0)
{
cout<<"\n该有向图有回路!";
}
else
cout<<"\n拓扑排序成功";
return 0;
}