用邻接表存储n个顶点m条弧的有向图
最后更新于:2022-04-01 16:02:01
例如要存储一下有向图:
data:image/s3,"s3://crabby-images/c2caf/c2cafa03b38d5fff3bc7cb9e46ea45e43f0ed893" alt=""
当输入6个顶点,8条弧
1 2
1 3
2 4
3 4
3 5
4 1
4 6
5 6
建立的邻接表的流程图为:
data:image/s3,"s3://crabby-images/466b0/466b01f476e70bb2a3cec6e52447362695df5735" alt=""
data:image/s3,"s3://crabby-images/96f06/96f0690ab3119fedf6d9171b1927bfda5f2e91a0" alt=""
data:image/s3,"s3://crabby-images/da70d/da70d6bac6d90491d68449b31af03ab401ef5ee5" alt=""
data:image/s3,"s3://crabby-images/9f582/9f5822738250105bd33a6fd82f3ce6cd8763c01a" alt=""
data:image/s3,"s3://crabby-images/de7a7/de7a74f72eb4b972af6d0428a8552798a74ee0d5" alt=""
data:image/s3,"s3://crabby-images/fc842/fc842f310eed0d5f91a0883643ad1fbe18343ad4" alt=""
data:image/s3,"s3://crabby-images/8581d/8581d0acc8d7b6e99ad9e455c31afff7f83f120c" alt=""
data:image/s3,"s3://crabby-images/58054/58054934213b00e2e7707026eb9d9c6e71320d67" alt=""
实现代码:
~~~
/*
用邻接表存储n个顶点m条弧的有向图
*/
#include<stdio.h>
#include<stdlib.h>
#define MAX 10005
typedef struct ArcNode
{
int adjvex;
struct ArcNode * nextarc;
}ArcNode;
typedef struct VNode
{
int vertex;
ArcNode * firstarc;
}VNode;
int n,m;
VNode V[MAX];
void init()
{
ArcNode * p;
for(int i=1;i<=n;i++)
{
V[i].vertex=i;
V[i].firstarc=NULL;
}
for(int i=0;i<m;i++)
{
int a,b;
scanf("%d%d",&a,&b);
p=(ArcNode*)malloc(sizeof(ArcNode));
p->adjvex=b;
p->nextarc=V[a].firstarc;
V[a].firstarc=p;
}
}
int main()
{
while(scanf("%d%d",&n,&m)!=EOF&&(n||m))
{
init();
ArcNode * p;
ArcNode * q;
for(int i=1;i<=n;i++)
{
printf("%d",V[i].vertex);
p=V[i].firstarc;
while(p!=NULL)
{
printf(" %d",p->adjvex);
q=p;
p=p->nextarc;
free(q);
}
printf("\n");
}
}
return 0;
}
~~~