第十二週專案3 - 圖遍歷演算法實現(1)
/*Copyright (c) 2015, 煙臺大學計算機與控制工程學院
* All rights reserved.
* 檔名稱:H1.cpp
* 作者:辛志勐
* 完成日期:2015年11月23日
* 版本號:VC6.0
* 問題描述:實現圖遍歷演算法,輸出圖結構的深度優先(DFS)遍歷序列
* 輸入描述:無
* 程式輸出:圖
*/
#include <stdio.h>
#include <malloc.h>
#define MAXV 100 //最大頂點個數
#define INF 32767 //INF表示∞
typedef int InfoType;
//以下定義鄰接矩陣型別
typedef struct
{
int no; //頂點編號
InfoType info; //頂點其他資訊,在此存放帶權圖權值
} VertexType; //頂點型別
typedef struct //圖的定義
{
int edges[MAXV][MAXV]; //鄰接矩陣
int n,e; //頂點數,弧數
VertexType vexs[MAXV]; //存放頂點資訊
} MGraph; //圖的鄰接矩陣型別
//以下定義鄰接表型別
typedef struct ANode //弧的結點結構型別
{
int adjvex; //該弧的終點位置
struct ANode *nextarc; //指向下一條弧的指標
InfoType info; //該弧的相關資訊,這裡用於存放權值
} ArcNode;
typedef int Vertex;
typedef struct Vnode //鄰接表頭結點的型別
{
Vertex data; //頂點資訊
int count; //存放頂點入度,只在拓撲排序中用
ArcNode *firstarc; //指向第一條弧
} VNode;
typedef VNode AdjList[MAXV]; //AdjList是鄰接表型別
typedef struct
{
AdjList adjlist; //鄰接表
int n,e; //圖中頂點數n和邊數e
} ALGraph; //圖的鄰接表型別
void ArrayToList(int *Arr, int n, ALGraph *&); //用普通陣列構造圖的鄰接表
void DispAdj(ALGraph *G);//輸出鄰接表G
void ArrayToList(int *Arr, int n, ALGraph *&G)
{
int i,j,count=0; //count用於統計邊數,即矩陣中非0元素個數
ArcNode *p;
G=(ALGraph *)malloc(sizeof(ALGraph));
G->n=n;
for (i=0; i<n; i++) //給鄰接表中所有頭節點的指標域置初值
G->adjlist[i].firstarc=NULL;
for (i=0; i<n; i++) //檢查鄰接矩陣中每個元素
for (j=n-1; j>=0; j--)
if (Arr[i*n+j]!=0) //存在一條邊,將Arr看作n×n的二維陣列,Arr[i*n+j]即是Arr[i][j]
{
p=(ArcNode *)malloc(sizeof(ArcNode)); //建立一個節點*p
p->adjvex=j;
p->info=Arr[i*n+j];
p->nextarc=G->adjlist[i].firstarc; //採用頭插法插入*p
G->adjlist[i].firstarc=p;
}
G->e=count;
}
void DispAdj(ALGraph *G)
//輸出鄰接表G
{
int i;
ArcNode *p;
for (i=0; i<G->n; i++)
{
p=G->adjlist[i].firstarc;
printf("%3d: ",i);
while (p!=NULL)
{
printf("-->%d/%d ",p->adjvex,p->info);
p=p->nextarc;
}
printf("\n");
}
}
int visited[MAXV];
void DFS(ALGraph *G, int v)
{
ArcNode *p;
int w;
visited[v]=1;
printf("%d ", v);
p=G->adjlist[v].firstarc;
while (p!=NULL)
{
w=p->adjvex;
if (visited[w]==0)
DFS(G,w);
p=p->nextarc;
}
}
int main()
{
int i;
ALGraph *G;
int A[5][5]=
{
{0,1,0,1,0},
{1,0,1,0,0},
{0,1,0,1,1},
{1,0,1,0,1},
{0,0,1,1,0}
};
ArrayToList(A[0], 5, G);
for(i=0; i<MAXV; i++) visited[i]=0;
printf(" 由2開始深度遍歷:");
DFS(G, 2);
printf("\n");
for(i=0; i<MAXV; i++) visited[i]=0;
printf(" 由0開始深度遍歷:");
DFS(G, 0);
printf("\n");
return 0;
}
知識點總結:使用迴圈和遞迴實現深度遍歷。
學習心得:圖的遍歷已經能夠展現遞迴和迴圈的實用性。