-
Notifications
You must be signed in to change notification settings - Fork 70
/
example_009_4_dijkstra.py
65 lines (36 loc) · 1.5 KB
/
example_009_4_dijkstra.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
from collections import defaultdict
import heapq as heap
def dijkstra(graph, start_node):
visited = set() # A list to mark visited nodes.
parent_map = {} # A list to store parent of each node
pq = [] # A list as a priority queue
node_distances = defaultdict(lambda: float('inf')) # Initial all node distances to infinity
node_distances[start_node] = 0
heap.heappush(pq, (0, start_node))
while pq:
# We search greedily by always extending the shorter cost nodes first
_, node = heap.heappop(pq)
visited.add(node)
for adj_node, weight in graph[node]:
if adj_node in visited: # already visited.
continue
new_distance = node_distances[node] + weight
# If the current node distance is larger then replace it.
if node_distances[adj_node] > new_distance:
parent_map[adj_node] = node # set the so far current parent node
node_distances[adj_node] = new_distance # set the so far current distance.
# Add the node to the priority queue
heap.heappush(pq, (new_distance, adj_node))
return parent_map, node_distances
def main():
graph = defaultdict()
# We generate an Adjacency List
graph[0] = [(1,11), (2, 5)]
graph[1] = [(3, 2)]
graph[2] = [(1, 4), (3, 6)]
graph[3] = []
parent_map, node_distances = dijkstra(graph, 0)
print(node_distances)
print(parent_map)
if __name__ == "__main__":
main()