Skip to content

Commit

Permalink
Shortest Path Algorithm
Browse files Browse the repository at this point in the history
  • Loading branch information
albertiaedev authored Mar 3, 2024
1 parent b8d5a76 commit dc82985
Showing 1 changed file with 40 additions and 0 deletions.
40 changes: 40 additions & 0 deletions shortest_path.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
# This script has the algorithm to find the shortest path in a graph

testing_graph = {
'A': [('B', 5), ('C', 3), ('E', 11)],
'B': [('A', 5), ('C', 1), ('F', 2)],
'C': [('A', 3), ('B', 1), ('D', 1), ('E', 5)],
'D': [('C', 1), ('E', 9), ('F', 3)],
'E': [('A', 11), ('C', 5), ('D', 9)],
'F': [('B', 2), ('D', 3)]
}


def shortest_path(graph, start, target = ''):
unvisited = list(graph)
distances = {node: 0 if node == start else float('inf') for node in graph}
paths = {node: [] for node in graph}
paths[start].append(start)

while unvisited:
current = min(unvisited, key=distances.get)
for node, distance in graph[current]:
if distance + distances[current] < distances[node]:
distances[node] = distance + distances[current]
if paths[node] and paths[node][-1] == node:
paths[node] = paths[current][:]
else:
paths[node].extend(paths[current])
paths[node].append(node)
unvisited.remove(current)

targets_to_print = [target] if target else graph
for node in targets_to_print:
if node == start:
continue
print(f'\n{start}-{node} distance: {distances[node]}\nPath: {" -> ".join(paths[node])}')

return distances, paths


shortest_path(testing_graph, 'A', 'F')

0 comments on commit dc82985

Please sign in to comment.