0

我正在尝试将以下示例 python 代码移植到 Java:

def find_all_paths(graph, start, end, path=[]):
    path = path + [start]
    if start == end:
        return [path]
    if not graph.has_key(start):
        return []
    paths = []
    for node in graph[start]:
        if node not in path:
            newpaths = find_all_paths(graph, node, end, path)
            for newpath in newpaths:
                paths.append(newpath)
    return paths

问题是,停止递归的基本情况:

if start == end:
    return [path]

它不支持我允许 A 和 N 是同一个节点的要求。

例如:

如果我有以下有向图

A -> [B, C], 
B -> [C, E], 
C -> [D, A]

我想要 A 和 A 之间的所有路径,我应该得到结果:

A -> B -> C -> A

上面的python代码只会给我:

A
4

1 回答 1

3

从 A 到 A 的路径必须经过 A 的邻居。因此,实现这一点的一种方法是枚举所有向外的邻居:

[[["A"]+y for y in find_all_paths(G,x,"A")] for x in graph["A"]]

对于您的图表,结果应该是

[[['A', 'B', 'C', 'A']], [['A', 'C', 'A']]]
于 2013-10-25T05:55:32.767 回答