[Python]贪心算法-Dijkstra-实现
2021-05-04 22:29
标签:路径问题 pre 目标 www int dijkstra 精简 pair 运行时间 带权重的有向图上单源最短路径问题。且权重都为非负值。如果采用的实现方法合适,Dijkstra运行时间要低于Bellman-Ford算法。 最小距离的判断标准 dist[j] = min(dist[j], dist[i] + weight[i][j]) [Python]贪心算法-Dijkstra-实现 标签:路径问题 pre 目标 www int dijkstra 精简 pair 运行时间 原文地址:https://www.cnblogs.com/sight-tech/p/13193810.html目标
思路
完善版本
import heapq
import math
def dijkstra(graph, init_node):
pqueue = []
heapq.heappush(pqueue, (0, init_node)) # min heap, sort data item automatically
visited = set() # actually you dont have to use this.
weight = dict.fromkeys(graph.keys(), math.inf)
weight[init_node] = 0
connection_dict = {init_node: "Path: Start From -> "} # save connection records
while len(pqueue) > 0:
pair = heapq.heappop(pqueue) # Pop the smallest item off the heap
cost, start = pair[0], pair[1]
visited.add(start)
for end in graph[start].keys():
if end not in visited and cost + graph[start][end] ‘: ‘A‘, ‘C‘: ‘B‘, ‘A‘: ‘C‘, ‘B‘: ‘D‘, ‘D‘: ‘F‘}
print(distance) # {‘A‘: 0, ‘B‘: 3, ‘C‘: 1, ‘D‘: 4, ‘E‘: 7, ‘F‘: 10}
最精简版本
import heapq
def dijkstra(graph, init_node):
primary_queue = []
heapq.heappush(primary_queue, (0, init_node))
# the reason why i need to use this heap is because
# i want to take advantage of its automatic sorting
result = dict.fromkeys(graph.keys(), 123131)
result[init_node] = 0
while len(primary_queue) > 0:
cost, start = heapq.heappop(primary_queue)
for end in graph[start].keys():
if result[start] + graph[start][end]
参考文章
文章标题:[Python]贪心算法-Dijkstra-实现
文章链接:http://soscw.com/index.php/essay/82461.html