6-2 鄰接表儲存圖的廣度優先遍歷 (20分)
阿新 • • 發佈:2020-12-08
6-2 鄰接表儲存圖的廣度優先遍歷 (20分)
試實現鄰接表儲存圖的廣度優先遍歷。
函式介面定義:
void BFS ( LGraph Graph, Vertex S, void (*Visit)(Vertex) );
裁判測試程式樣例:
#include <stdio.h>
typedef enum {false, true} bool;
#define MaxVertexNum 10 /* 最大頂點數設為10 */
typedef int Vertex; /* 用頂點下標表示頂點,為整型 */
/* 鄰接點的定義 */
typedef struct AdjVNode *PtrToAdjVNode;
struct AdjVNode{
Vertex AdjV; /* 鄰接點下標 */
PtrToAdjVNode Next; /* 指向下一個鄰接點的指標 */
};
/* 頂點表頭結點的定義 */
typedef struct Vnode{
PtrToAdjVNode FirstEdge; /* 邊表頭指標 */
} AdjList[MaxVertexNum]; /* AdjList是鄰接表型別 */
/* 圖結點的定義 */
typedef struct GNode *PtrToGNode;
struct GNode{
int Nv; /* 頂點數 */
int Ne; /* 邊數 */
AdjList G; /* 鄰接表 */
};
typedef PtrToGNode LGraph; /* 以鄰接表方式儲存的圖型別 */
bool Visited[MaxVertexNum]; /* 頂點的訪問標記 */
LGraph CreateGraph(); /* 建立圖並且將Visited初始化為false;裁判實現,細節不表 */
void Visit( Vertex V )
{
printf(" %d", V);
}
void BFS ( LGraph Graph, Vertex S, void (*Visit)(Vertex) );
int main()
{
LGraph G;
Vertex S;
G = CreateGraph();
scanf("%d", &S);
printf("BFS from %d:", S);
BFS(G, S, Visit);
return 0;
}
/* 你的程式碼將被嵌在這裡 */
輸入樣例:給定圖如下
2
輸出樣例:
BFS from 2: 2 0 3 5 4 1 6//連結表不唯一,廣度遍歷不唯一
程式碼如下:
void BFS ( LGraph Graph, Vertex S, void (*Visit)(Vertex) )
{
int Q[1000];
int f=0,r=0;
Q[r++]=S;
Visit(S);
Visited[S]=true;
while(f!=r)
{
PtrToAdjVNode p;
p=Graph->G[Q[f]].FirstEdge;
f++;
while(p)
{
int v=p->AdjV;
if(Visited[v]==false)
{
Visit(v);
Q[r++]=v;
Visited[v]=true;
}
p=p->Next;
}
}
}
鄰接表建立
LGraph CreateGraph()
{
LGraph M;
M=(LGraph)malloc(sizeof(struct GNode));
int n,m;
scanf("%d%d",&n,&m);
M->Nv=n;
M->Ne=m;
int a,b;
for(int i=0; i<n; i++)
{
M->G[i].FirstEdge=NULL;
}
for(int i=0; i<m; i++)
{
scanf("%d%d",&a,&b);
PtrToAdjVNode p,q;
p=(PtrToAdjVNode)malloc(sizeof(struct AdjVNode));
p->AdjV=b;
p->Next=M->G[a].FirstEdge;
M->G[a].FirstEdge=p;
q=(PtrToAdjVNode)malloc(sizeof(struct AdjVNode));
q->AdjV=a;
q->Next=M->G[b].FirstEdge;//採用的是頭插法
M->G[b].FirstEdge=q;
}
for(int i=0; i<n; i++)
Visited[i]=false;
return M;
}