-
Notifications
You must be signed in to change notification settings - Fork 0
/
connected_components.cpp
128 lines (122 loc) · 2.58 KB
/
connected_components.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
#include <bits/stdc++.h>
using namespace std;
template <typename T>
class Graph
{
private:
unordered_map<T, list<T>> l;
public:
void addEdge(int x, int y)
{
l[x].push_back(y);
l[y].push_back(x);
}
void bfs(T src)
{
map<T, bool> visited;
queue<T> q;
q.push(src);
visited[src] = true;
while (!q.empty())
{
T node = q.front();
cout << q.front() << " ";
q.pop();
for (auto nbr : l[node])
{
if (!visited[nbr])
{
q.push(nbr);
visited[nbr] = true;
}
}
}
}
// .. We can also use stack for dfs
void help_dfs(T src, map<T, bool> &visited)
{
cout << src << " ";
visited[src] = true;
// go to all the neighbour of the node which is not visited
for (auto nbr : l[src])
{
if (!visited[nbr])
{
help_dfs(nbr, visited); // yh isko baar baar call karega aur jo neighbour visited nhi hoga usko source bna diya jaega
}
}
return;
}
void dfs()
{
map<T, bool> visited;
for (auto p : l)
{
T node = p.first;
visited[node] = false;
}
int cnt = 0;
for (auto p : l)
{
T node = p.first;
if (!visited[node])
{
cout << " Components " << cnt << " --> ";
help_dfs(node, visited);
cnt++;
cout << endl;
}
}
}
// void ShortestPath(T src){
// map<T,int> dist;
// queue<T> q;
// // All the other nodes will have distances equal to infinity or INT_MAX
// for (auto node_pair:l)
// {
// T node = node_pair.first;
// dist[node] = INT_MAX;
// }
// q.push(src);
// dist[src] = 0;
// while (!q.empty())
// {
// T node = q.front();
// cout<<q.front()<< " ";
// q.pop();
// for (auto nbr : l[node])
// {
// if (dist[nbr] == INT_MAX)
// {
// q.push(nbr);
// // mark the NBR as visited
// dist[nbr] = dist[node]+1;
// // child node = parent node +1
// }
// }
// }
// cout<<endl;
// for(auto node_pair : l){
// T node = node_pair.first;
// int d= dist[node];
// cout<<" NODE "<<node<<"has a distance of "<<d<<"from the source "<<endl;
// }
// }
};
int main(int argc, char const *argv[])
{
Graph<int> g;
g.addEdge(0, 1);
g.addEdge(1, 2);
g.addEdge(2, 3);
g.addEdge(0, 3);
g.addEdge(0, 4);
g.addEdge(5, 6);
g.addEdge(6, 7);
g.addEdge(8, 8);
g.dfs();
//g.bfs(0);
//g.dfs(0);
// g.ShortestPath(0);
return 0;
}