-
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathImplement_floyd_Warshall.cpp
59 lines (49 loc) · 1.85 KB
/
Implement_floyd_Warshall.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
//
// Created by rajat joshi on 17-06-2022.
//
#include<bits/stdc++.h>
using namespace std;
#define V 6 //No of vertices
void floyd_warshall(int graph[V][V])
{
int dist[V][V];
//Assign all values of graph to allPairs_SP
for(int i=0;i<V;++i)
for(int j=0;j<V;++j)
dist[i][j] = graph[i][j];
//Find all pairs shortest path by trying all possible paths
for(int k=0;k<V;++k) //Try all intermediate nodes
for(int i=0;i<V;++i) //Try for all possible starting position
for(int j=0;j<V;++j) //Try for all possible ending position
{
if(dist[i][k]==INT_MAX || dist[k][j]==INT_MAX) //SKIP if K is unreachable from i or j is unreachable from k
continue;
else if(dist[i][k]+dist[k][j] < dist[i][j]) //Check if new distance is shorter via vertex K
dist[i][j] = dist[i][k] + dist[k][j];
}
//Check for negative edge weight cycle
for(int i=0;i<V;++i)
if(dist[i][i] < 0)
{
cout<<"Negative edge weight cycle is present\n";
return;
}
//Print Shortest Path Graph
//(Values printed as INT_MAX defines there is no path)
for(int i=1;i<V;++i)
{
for(int j=0;j<V;++j)
cout<<"Weight of shortest path from"<<i<<","<<j<<" distance is "<<dist[i][j]<<"\n";
}
}
int main()
{
int graph[V][V] = { {0, 1, 4, INT_MAX, INT_MAX, INT_MAX},
{INT_MAX, 0, 4, 2, 7, INT_MAX},
{INT_MAX, INT_MAX, 0, 3, 4, INT_MAX},
{INT_MAX, INT_MAX, INT_MAX, 0, INT_MAX, 4},
{INT_MAX, INT_MAX, INT_MAX, 3, 0, INT_MAX},
{INT_MAX, INT_MAX, INT_MAX, INT_MAX, 5, 0} };
floyd_warshall(graph);
return 0;
}