Skip to content

Instantly share code, notes, and snippets.

@hillscottc
Forked from Ceasar/floydwarshall.py
Last active August 29, 2015 14:02
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save hillscottc/61002306aa5b026ed73c to your computer and use it in GitHub Desktop.
Save hillscottc/61002306aa5b026ed73c to your computer and use it in GitHub Desktop.
The Floyd-Warshall, All-Pairs Shortest Path algorithm.
def floyd(g):
"""The Floyd-Warshall Algorithm...shortest paths for all vertices.
"""
vertices = g.keys()
d = g
for v2 in vertices:
d = {v1: {v3: min(d[v1][v3], d[v1][v2] + d[v2][v3])
for v3 in vertices}
for v1 in vertices}
return d
import unittest
from floydwarshall import floyd
class TestFloyd(unittest.TestCase):
def test_floyd_1(self):
inf = float('inf')
g = {0: {0: 0, 1: 1, 2: 4},
1: {0: inf, 1: 0, 2: 2},
2: {0: inf, 1: inf, 2: 0}}
expected = {0: {0: 0, 1: 1, 2: 3},
1: {0: inf, 1: 0, 2: 2},
2: {0: inf, 1: inf, 2: 0}}
paths = floyd(g)
self.assertDictEqual(paths, expected)
print paths
def test_floyd_2(self):
def _adj(g): # Convert a directed graph to an adjacency matrix.
vertices = g.keys()
return {v1: {v2: 0 if v1 == v2 else g[v1].get(v2, float('inf'))
for v2 in vertices}
for v1 in vertices}
g = {1: {2: 3, 3: 8, 5: -4},
2: {4: 1, 5: 7},
3: {2: 4},
4: {1: 2, 3: -5},
5: {4: 6}}
expected = {1: {1: 0, 2: 1, 3: -3, 4: 2, 5: -4},
2: {1: 3, 2: 0, 3: -4, 4: 1, 5: -1},
3: {1: 7, 2: 4, 3: 0, 4: 5, 5: 3},
4: {1: 2, 2: -1, 3: -5, 4: 0, 5: -2},
5: {1: 8, 2: 5, 3: 1, 4: 6, 5: 0}}
paths = floyd(_adj(g))
self.assertDictEqual(paths, expected)
print paths
if __name__ == '__main__':
unittest.main()
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment