4

我有一个分支因子为 2 且高度为 100 的平衡树,每条边都有一个由文本文件给出的权重,如下所示:

 73 41
 52 40 09
 26 53 06 34
 etc etc until row nr 99

即:从节点0到1的边权重为73,从0到2的边权重为41,从1到3的边权重为52,以此类推。

我希望找到从根到树末端的最短路径(具有相应的边缘权重和)。据我了解,这可以通过将所有边权重乘以 -1 并使用 Networkx 中的 Dijkstra 算法来完成。

  1. 算法选择是否正确?
  2. 如何“轻松”将此数据集导入 Networkx 图形对象?

PS:这是 Project Euler Problem 67,在数字三角形中找到最大和。我已经用记忆递归解决了这个问题,但我想尝试用 Networkx 包解决它。

4

2 回答 2

4

算法选择是否正确?

是的。您可以使用正权重,并调用nx.dijkstra_predecessor_and_distance以获取从根节点开始的最短路径0


如何“轻松”将此数据集导入 Networkx 图形对象?

import networkx as nx
import matplotlib.pyplot as plt

def flatline(iterable):
    for line in iterable:
        for val in line.split():
            yield float(val)

with open(filename, 'r') as f:
    G = nx.balanced_tree(r = 2, h = 100, create_using = nx.DiGraph())
    for (a, b), val in zip(G.edges(), flatline(f)):
        G[a][b]['weight'] = val

# print(G.edges(data = True))

pred, distance = nx.dijkstra_predecessor_and_distance(G, 0)

# Find leaf whose distance from `0` is smallest
min_dist, leaf = min((distance[node], node) 
                     for node, degree in G.out_degree_iter()
                     if degree == 0)
nx.draw(G)
plt.show()
于 2012-11-24T23:35:35.320 回答
3

我不确定我是否完全理解输入格式。但是类似的东西应该可以工作:

from itertools import count
import networkx as nx
adj ="""73 41
52 40 09
26 53 06 34"""
G = nx.Graph()
target = 0
for source,line in zip(count(),adj.split('\n')):
    for weight in line.split():
        target += 1
        print source,target,weight
        G.add_edge(source,target,weight=float(weight))
# now call shortest path with weight="weight" and source=0
于 2012-11-24T22:59:55.303 回答