-
Notifications
You must be signed in to change notification settings - Fork 9
/
图_判断图是否连通_.cpp
170 lines (157 loc) · 2.53 KB
/
图_判断图是否连通_.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
#define MAX_VER 100//最大顶点数
typedef struct edgnode
{//邻接点域
int vertex;
struct edgnode *next;
}enode;
typedef struct vnode
{
char data;
enode *link;
}vlist[MAX_VER];
typedef struct node2
{
int v;
struct node2 *next;
}qnode;
typedef struct
{
qnode *front,*rear;
}linkQueue;
int n;
int visited[MAX_VER];//用于标志顶点是否被访问过
vlist g;
linkQueue queue;
void Init(linkQueue *q)
{
q->front=q->rear=NULL;
}
void InsertQueue(linkQueue * &q,int e)
{
qnode * node;
node=(qnode*)malloc(sizeof(qnode));
node->v=e;
node->next=NULL;
if(NULL==q->front)
{
q->front=q->rear=node;
}
else
{
q->rear->next=node;
q->rear=node;
}
}
int outQueue(linkQueue * &q)
{
int e;
qnode *temp;
if(NULL==q->front)
e=NULL;
else
{
temp=q->front;
e=temp->v;
q->front=temp->next;
free(temp);
}
return e;
}
//创建无向图
void createGraphic(vlist g)
{
int e,i=1,start,end;
enode *p;
printf("请输入顶点数(n)和边数(e):\n");
scanf("%d%d",&n,&e);
while(i<=n) //初始化顶点表
{
fflush(stdin);
printf("请输入第 %d 个顶点:",i);
g[i].data=getchar();
g[i].link=NULL;
i++;
}
i=1;
while(i<=e)//采用头插法初始化邻接点域
{
fflush(stdin);
printf("请输入第 %d 条边的起点和终点:",i);//无向图是双向的 1-2 2-1
scanf("%d%d",&start,&end);
p=(enode *)malloc(sizeof(enode));
p->vertex=end;
p->next=g[start].link;
g[start].link=p;
p=(enode *)malloc(sizeof(enode));
p->vertex=start;
p->next=g[end].link;
g[end].link=p;
i++;
}
}
//Breadth First Search 广度优先搜索 相当于树的层次遍历
void BFS(linkQueue *queue,int i)
{
int temp;
enode *p;
InsertQueue(queue,i);
while(NULL!=queue->front)
{
temp=outQueue(queue);
if(!visited[temp])
{
printf("%d ",temp);
visited[temp]=1;
}
p=g[temp].link;
while(NULL!=p)
{
if(!visited[p->vertex])
{
InsertQueue(queue,p->vertex);
}
p=p->next;
}
}
}
//Depth First Search 深度优先搜索 相当于树的先序遍历
void DFS(vlist g,int i)
{
enode *p;
printf("%c ",g[i].data);
visited[i]=1;
p=g[i].link;
while(NULL!=p)
{
if(!visited[p->vertex])
{
DFS(g,p->vertex);
}
p=p->next;
}
}
//遍历每个顶点
void DFSGraphic(vlist g)
{
int i;
memset(visited,0,n);
for(i=1;i<=n;i++)
{
if(!visited[i])
{
//DFS(g,i);
BFS(&queue,i);
}
}
printf("\n");
}
int main()
{
Init(&queue);
createGraphic(g);
DFSGraphic(g);
return 0;
}