【图项目3—图的遍历——第12周】

来源:互联网 发布:淘宝买家秀 珍珠内裤 编辑:程序博客网 时间:2024/06/16 23:32

图的两种遍历方式——深度优先遍历and广度优先遍历

测试时用的图这里写图片描述测试程序请点击我的算法库xjp博客
/** Copyright (c) 2015, 烟台大学计算机与控制工程学院* All rights reserved.* 文件名称:main.cpp,graph.h,graph.cpp* 作者:徐吉平* 完成日期:2015年11月19日* 版本号:code ::Block 12.11* 问题描述: 图的遍历* 输入描述:* 程序输出:输出图的遍历结果*/

1、深度优先遍历——DFS
#include <stdio.h>#include <malloc.h>#include "graph.h"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;}
2、广度优先遍历——BFS
#include <stdio.h>#include <malloc.h>#include "graph.h"void BFS(ALGraph *G, int v){    ArcNode *p;    int w,i;    int queue[MAXV],front=0,rear=0; //定义循环队列    int visited[MAXV];     //定义存放节点的访问标志的数组    for (i=0; i<G->n; i++) visited[i]=0; //访问标志数组初始化    printf("%2d",v);            //输出被访问顶点的编号    visited[v]=1;                       //置已访问标记    rear=(rear+1)%MAXV;    queue[rear]=v;              //v进队    while (front!=rear)         //若队列不空时循环    {        front=(front+1)%MAXV;        w=queue[front];             //出队并赋给w        p=G->adjlist[w].firstarc;   //找w的第一个的邻接点        while (p!=NULL)        {            if (visited[p->adjvex]==0)            {                printf("%2d",p->adjvex); //访问之                visited[p->adjvex]=1;                rear=(rear+1)%MAXV; //该顶点进队                queue[rear]=p->adjvex;            }            p=p->nextarc;       //找下一个邻接顶点        }    }    printf("\n");}int main(){    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);    printf(" 由2开始广度遍历:");    BFS(G, 2);    printf(" 由0开始广度遍历:");    BFS(G, 0);    return 0;}



总结:图的遍历算法充分的利用了递归算法,遍历算法也是图结构应用的基础

0 0