-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtopological_sort_bfs.cpp
61 lines (61 loc) · 1.63 KB
/
topological_sort_bfs.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
// Topological sort is only possible for Directed Acyclic Graph;
#include <bits/stdc++.h>
using namespace std;
vector<list<int>> directedgraphcompiler(vector<pair<int,int>> det, int nodes)
{
vector<list<int>> graph(nodes+1);
for (int i = 0; i < det.size(); i++)
{
graph[det[i].first].push_back(det[i].second);
}
return graph;
}
void bfs(vector<list<int>> graph, int nodes, int source, vector<int>& indeg, vector<int>& final)
{
queue<int> que;
for (int i = 1; i <= nodes; i++)
{
if(indeg[i] == 0) que.push(i);
}
while (!que.empty())
{
int nakli = que.front();
final.push_back(nakli);
que.pop();
list<int> holder = graph[nakli];
for (auto it = holder.begin(); it != holder.end() ; it++)
{
if(--indeg[*it]==0) que.push(*it);
}
}
}
int main()
{
vector<pair<int,int>> det;
det.push_back(make_pair(1,4));
det.push_back(make_pair(1,3));
det.push_back(make_pair(3,4));
det.push_back(make_pair(3,2));
det.push_back(make_pair(4,2));
det.push_back(make_pair(2,5));
det.push_back(make_pair(6,5));
det.push_back(make_pair(6,2));
det.push_back(make_pair(7,8));
int nodes = 8;
vector<list<int>> mo = directedgraphcompiler(det, nodes);
vector<int> indeg(nodes+1,0);
for (int i = 1; i <= nodes; i++)
{
list<int> holder = mo[i];
for (auto j = holder.begin(); j != holder.end(); j++)
{
indeg[*j]++;
}
}
vector<int> final;
bfs(mo, nodes, 1, indeg, final);
for (int i = 0; i < final.size(); i++)
{
cout<<final[i]<<" ";
}
}