深さ優先探索とは逆に、近いノードから順に探索していく方法
特徴
動作
実装
無向グラフの探索
from collections import deque
def bfs(graph, start):
visited = set()
queue = deque([start])
while queue:
node = queue.popleft()
if node not in visited:
print(node, end=' ')
visited.add(node)
queue.extend(graph[node])
graph = {
'A': ['B', 'C'],
'B': ['A', 'D', 'E'],
'C': ['A', 'D'],
'D': ['B', 'C', 'F'],
'E': ['B', 'F'],
'F': ['D', 'E'],
}
bfs(graph, 'A')
最短経路
from collections import deque
def shortest_path(graph, start, goal):
queue = deque([(start, [start])])
while queue:
(node, path) = queue.popleft()
for next_node in graph[node]:
if next_node == goal:
return path + [next_node]
if next_node not in path:
queue.append((next_node, path + [next_node]))
graph = {
'A': ['B', 'C'],
'B': ['A', 'D', 'E'],
'C': ['A', 'D'],
'D': ['B', 'C', 'F'],
'E': ['B', 'F'],
'F': ['D', 'E'],
}
print(shortest_path(graph, 'A', 'F'))