-
Notifications
You must be signed in to change notification settings - Fork 110
/
Copy pathdijkstras.py
86 lines (57 loc) · 1.97 KB
/
dijkstras.py
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
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
import heapq
infinity = float("inf")
def make_graph():
# identical graph as the YouTube video: https://youtu.be/_lHSawdgXpI
# tuple = (cost, to_node)
return {
'A': [(4, 'B'), (2, 'C')],
'B': [(3, 'C'), (3, 'E'), (2, 'D')],
'C': [(1, 'B'), (4, 'D'), (5, 'E')],
'D': [],
'E': [(1, 'D')],
}
def dijkstras_heap(G, start='A'):
shortest_paths = {}
visited = set()
heap = []
for node in G.keys():
shortest_paths[node] = infinity
shortest_paths[start] = 0
visited.add(start)
heapq.heappush(heap, (0, start))
while heap:
(distance, node) = heapq.heappop(heap)
visited.add(node)
for edge in G[node]:
cost, to_node = edge
if (to_node not in visited) and (distance + cost < shortest_paths[to_node]):
shortest_paths[to_node] = distance + cost
heapq.heappush(heap, (shortest_paths[to_node], to_node))
return shortest_paths
def dijkstras(G, start='A'):
shortest_paths = {}
unvisited = dict.fromkeys(G.keys())
for node in unvisited:
shortest_paths[node] = infinity
shortest_paths[start] = 0
while unvisited:
min_node = None
for node in unvisited:
if min_node is None:
min_node = node
elif shortest_paths[node] < shortest_paths[min_node]:
min_node = node
for edge in G[min_node]:
cost, to_node = edge
if cost + shortest_paths[min_node] < shortest_paths[to_node]:
shortest_paths[to_node] = cost + shortest_paths[min_node]
del unvisited[min_node]
return shortest_paths
def main():
G = make_graph()
start = 'A'
shortest_paths = dijkstras(G, start)
shortest_paths_using_heap = dijkstras_heap(G, start)
print(f'Shortest path from {start}: {shortest_paths}')
print(f'Shortest path from {start} using heap: {shortest_paths_using_heap}')
main()