繁体   English   中英

如何有效地在 Python 中实现递归 DFS?

[英]How to implement recursive DFS in Python efficiently?

我正在尝试在 Python 中实现递归 DFS。 我的尝试是:

def dfs_recursive(graph, vertex, path=[]):
    path += [vertex]

    for neighbor in graph[vertex]:
        # print(neighbor)
        if neighbor not in path:  # inefficient line
            path = dfs_recursive(graph, neighbor, path)

    return path


adjacency_matrix = {"s": ["a", "c", "d"], "c": ["e", "b"],
                    "b": ["d"], "d": ["c"], "e": ["s"], "a": []}

不幸的是, if neighbor not in path ,这条线效率很低,而不是我应该做的。 我希望输出是按顺序访问的节点,但没有重复。 所以在这种情况下:

['s', 'a', 'c', 'e', 'b', 'd']

如何有效地输出以 DFS 顺序访问但没有重复的节点?

使用dict

def dfs_recursive(graph, vertex, path={}):
    path[vertex] = None

    for neighbor in graph[vertex]:
        if neighbor not in path:
            dfs_recursive(graph, neighbor)

    return path

adjacency_matrix = {"s": ["a", "c", "d"], "c": ["e", "b"],
                    "b": ["d"], "d": ["c"], "e": ["s"], "a": []}

print(*dfs_recursive(adjacency_matrix, "s"))

输出:

s a c e b d

你可以这样做:

def dfs_recursive(graph, vertex, dic, path):

    dic[vertex] = 1;
    path += vertex
    for neighbor in graph[vertex]:

        if not neighbor in dic: 
           dfs_recursive(graph, neighbor, dic, path)



graph = {"s": ["a", "c", "d"], "c": ["e", "b"],
                    "b": ["d"], "d": ["c"], "e": ["s"], "a": []}

path = [];
dic = {}
dfs_recursive(graph,"s",dic,path);

print(path)

您需要有一个字典来进行高效查找,如果您想要路径,您可以将其添加到不同的结构中,如上所示。

您可以将OrderedDict用于path变量。 这将使in运算符在恒定时间内运行。 然后要将其转换为列表,只需从该字典中获取键,这些键保证按插入顺序排列。

我也会把整个函数的递归部分放到一个单独的函数中。 这样你就不必在每个递归调用中将path作为参数传递:

from collections import OrderedDict

def dfs_recursive(graph, vertex):
    path = OrderedDict()

    def recur(vertex):
        path[vertex] = True
        for neighbor in graph[vertex]:
            if neighbor not in path:
                recur(neighbor)

    recur(vertex)
    return list(path.keys())

adjacency_matrix = {"s": ["a", "c", "d"], "c": ["e", "b"],
                    "b": ["d"], "d": ["c"], "e": ["s"], "a": []}

print(dfs_recursive(adjacency_matrix, "s"))

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM