Skip to content

All Pair Shortest Paths

Sometimes it is needed to find shortest path from each vertex to each vertex.

For example, when laying railway lines it is important to find the shortest routes between pair of two cities.

One of the ways to approach this problem is by running the single source shortest path algorithms on each and every node.

But this is not efficient.

This brings Floyd Warshall's algorithm into the picture.

But before that we need to know about Warshall's Algorithm

Warshall's algorithm

Consider a case where there is an edge from vertex ii to k,k, i.e., ik.i\to k. And there also exists a vertex from jj to k,k, i.e. jk.j\to k.

Now because of this, I can reach jj from ii after travelling through the intermediate node k,k, i.e., ikj.i\to k\to j.

Some Special Notations

Consider B is a matrix, such that B[i][j]B[i][j] is 11 if there exists a path between the vertex ii and jj

Now we denote all this cases using some special notations: - B0[i,j]=1B^0[i,j] = 1 \leftrightarrow there exists a direct edge from ii to j.j. - B1[i,j]=1B^1[i,j] = 1 \leftrightarrow there exists a edge from ii to jj with maximum 11 intermediate node in between. - Similarly, Bk[i,j]=1B^k[i,j] = 1 \leftrightarrow there exists a edge from ii to jj with maximum kk intermediate nodes in between

Floyd Warshall's Algorithm

Algorithm

  1. Let us define a n x nn\text{ x }n matrix named SP,SP, where nn is the number of vertices.
  2. Initialise SP0[i,j]=W[i,j],SP^0[i,j]=W[i,j], if there exists a direct edge from ii to jj and the weight of the edge is W[i,j].W[i,j].
  3. If there does not exist a direct edge between ii and jj set SP0[i,j]=SP^0[i,j] = \infin
  4. Now SPk+1[i,j]=min(SPk[i,j],SPk[i,k]+SPk[k,j])SP^{k+1}[i,j] = \min(SP^k[i,j], SP^k[i,k]+SP^k[k,j])
  5. Repeat step 44 for n times.
  6. Now SPn[i,j]SP^n[i,j] contains the shortest distance between ii and jj

Implementation

def FloydWarshall(adj):
    rows, cols, x = adj.shape

    SP  = np.zeroes(shape=(rows, cols, cols+1))

    for row in range(rows):
        for col in range(cols):
            SP[row, col, 0] = float('inf')

    for row in range(rows):
        for col in range(cols):
            if adj[row, col, 0] == 1:
                SP[row, col, 0] = adj[row, col, 1]

    for k in range(cols + 1):
        for row in range(rows):
            for col in range(cols):
                SP[i, j, k] = min(SP[i, j, k], SP[i, k-1, k-1] + SP[k-1, j, k-1] ) 

    return SP[:,:,cols]

Time Complexity

This implementation has the time complexity of O(n3)O(n^3)