python 在递归和非递归模式下的呼吸优先搜索(BFS)算法实现的示例,用于图形扩展和路径查找。
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了python 在递归和非递归模式下的呼吸优先搜索(BFS)算法实现的示例,用于图形扩展和路径查找。相关的知识,希望对你有一定的参考价值。
#http://eddmann.com/posts/depth-first-search-and-breadth-first-search-in-python/
###CONNECTED COMPONENTS
##NON-RECURSIVE
def bfs(graph, start):
visited, queue = set(), [start]
while queue:
vertex = queue.pop(0)
if vertex not in visited:
visited.add(vertex)
queue.extend(graph[vertex] - visited)
return visited
###PATH FINDING
##NON-RECURSIVE
def bfs_paths(graph, start, goal):
queue = [(start, [start])]
while queue:
(vertex, path) = queue.pop(0)
for next in graph[vertex] - set(path):
if next == goal:
yield path + [next]
else:
queue.append((next, path + [next]))
list(bfs_paths(graph, 'A', 'F')) # [['A', 'C', 'F'], ['A', 'B', 'E', 'F']]
###SHORTEST PATH
def shortest_path(graph, start, goal):
try:
return next(bfs_paths(graph, start, goal))
except StopIteration:
return None
shortest_path(graph, 'A', 'F') # ['A', 'C', 'F']
以上是关于python 在递归和非递归模式下的呼吸优先搜索(BFS)算法实现的示例,用于图形扩展和路径查找。的主要内容,如果未能解决你的问题,请参考以下文章
层次遍历递归和非递归方法
二叉树遍历(先序,中序,后序,层序)递归和非递归形式
python 递归深度优先搜索与广度优先搜索算法模拟实现
二叉树的广度优先遍历深度优先遍历的递归和非递归实现方式
binarytree二叉树节点BFS广度优先搜索遍历,递归,python
binarytree二叉树节点DFS深度优先搜索遍历,递归,python