递归深度优先遍历图(DFS)(邻接表和数组两种方式)

图的深度优先遍历(DFS)类似于树的先根遍历,它是树的先根遍历的推广。

图的存储结构有:数组、邻接表、十字链表、邻接多重表

1、以下程序实现用邻接表存储图,并实现图的深度优先遍历(递归)方法

 

#include
using namespace std;
typedef char VertexType;     //使用此方式定义顶点类型,在需要更改顶点类型时不需要在整个程序中更改,只需在此处更改即可
typedef char InfoType;
#define ERROR -1;
typedef struct ArcNode{
	int adjvex;             //该弧所指向的顶点的位置编号
	struct ArcNode *next;   //指向下一条弧的指针
	InfoType *info;         //该弧相关信息的指针
}ArcNode;

typedef struct Vexnode{     
	VertexType data;        //顶点信息
	ArcNode *firstarc;      //指向第一条依附该顶点的弧的指针
}VexNode,AdjList[20];

typedef struct{
	int arcnum,vexnum;      //图中顶点数和弧数
	AdjList vertices;       //存放图中顶点的向量
}ALGraph;

bool visited[20];           //访问标志数组
int LocateVex(ALGraph G,VertexType v){  //确定顶点v在图中的位置编号
	for(int i=0;iadjvex;
	}
}

int NextAdjVex(ALGraph G,VertexType v,VertexType w){//确定图中从v出发,深度遍历的各个结点w
	int i,j;
	int flag=0;
	ArcNode *p;
	i=LocateVex(G,v);
	j=LocateVex(G,w);
	p=G.vertices[i].firstarc;
	while(p){
		if(p->adjvex==j){
			flag=1;
			break;
		}
		p=p->next;
	}
	if(flag&&p->next)
		return p->next->adjvex;
	else
		return ERROR;

}

void CreateGraph(ALGraph &G){
	VertexType v1,v2;
	ArcNode *p,*q;
	int i,j,k;
	cout<<"请输入图的节点数和弧数:";
	cin>>G.vexnum;
	cin>>G.arcnum;
	cout<<"图的节点数为"<>G.vertices[i].data;
		cout<<"第"<>v1;
		cin>>v2;
		i=LocateVex(G,v1);
		j=LocateVex(G,v2);
		cout<<"弧的两个端点v1和v2的值分别为:"<next=G.vertices[i].firstarc;
		q->next=G.vertices[j].firstarc;
		G.vertices[i].firstarc=p;
		p->adjvex=j;
		G.vertices[j].firstarc=q;
		q->adjvex=i;
	}
}

void DFS(ALGraph G,int v){
	visited[v]=true;
	cout<=0;w=NextAdjVex(G,G.vertices[v].data,G.vertices[w].data)){
		if(!visited[w])
			DFS(G,w);
	}
}

void DFSTraverse(ALGraph G){
	for(int i=0;i


2、以下程序实现用数组存储图,并实现图的深度优先遍历(递归)

#include
using namespace std;
typedef char VertexType;
typedef char InfoType;
typedef int VRType;
bool visited[20];
typedef struct ArcCell{
	VRType adj;
	InfoType *info;
}ArcCell,AdjMatrix[20][20];

typedef struct{
	VertexType vex[20];
	AdjMatrix arcs;
	int vexnum,arcnum;
}MGraph;

int LocateVex(MGraph G,VertexType v){
	for(int i=0;i>G.vexnum;
	cin>>G.arcnum;
	for(i=0;i>G.vex[i];
	for(k=0;k>v1;
		cin>>v2;
		i=LocateVex(G,v1);
		j=LocateVex(G,v2);
		if(G.arcs[i][j].adj==1){   //判断是否输入了重复的弧
			cout<<"输入重复的弧,请重新输入:"<
 
 

你可能感兴趣的:(数据结构)