-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgraph.cpp
122 lines (96 loc) · 1.95 KB
/
graph.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
#include "graph.h"
#include <vector>
#include <iostream>
vector<Node> queue;
graph::graph() {
count = 0;
};
void graph::addVertex(const Node node)
{
vertices.push_back(node);
count++;
};
void graph::addEdge(const char from, const char to)
{
if (vertices.size() == 0)
return;
for (int i = 0; i < vertices.size(); i++) {
if (vertices[i].name == from) {
vertices[i].edges.push_back(to);
}
if (vertices[i].name == to) {
vertices[i].edges.push_back(from);
}
}
};
void graph::print()
{
int i = 0;
while (i < vertices.size()) {
cout << vertices[i].name << "->";
if (vertices[i].edges.size() > 0) {
for (int j = 0; j < vertices[i].edges.size(); j++) {
cout << vertices[i].edges[j];
}
}
cout << endl;
i++;
}
};
void graph::DFS()
{
reset();
cout << "\n" << endl;
cout << "DFS: ";
for (int i = 0; i < vertices.size(); i++)
{
if (vertices[i].visited == 0)
{
dfs(vertices[i]);
}
}
cout << endl;
};
void graph::BFS()
{
reset();
int i, n;
n = vertices.size();
cout << "BFS: ";
bfs(vertices[0]);
cout << "\n" << endl;
cout << endl;
}
void graph::reset()
{
for (int i = 0; i < vertices.size(); i++)
vertices[i].visited = 0;
count = 0;
};
void graph::dfs(Node& node)
{
count++;
node.visited = count;
cout << node.name << ", ";
for (int i = 0; i < node.edges.size(); i++)
if (vertices[node.edges[i] - 'a'].visited == 0)
dfs(vertices[node.edges[i] - 'a']);
}
void graph::bfs(Node& node)
{
count++;
if (node.visited == 0) {
node.visited = count;
queue.push_back(node);
}
for (int j = 0; j < node.edges.size(); j++) {
if (vertices[node.edges[j] - 'a'].visited == 0) {
vertices[node.edges[j] - 'a'].visited = count;
queue.push_back(vertices[node.edges[j] - 'a']);
}
}
cout << queue[0].name << ", ";
queue.erase(queue.begin());
if (queue.size()>0)
bfs(queue.at(0));
};