幅優先探索

数学 Published at March 24, 2025, 10:02 a.m. by admin@senrigan.org

深さ優先探索とは逆に、近いノードから順に探索していく方法

特徴

  • 開始位置 (ノード) から近いレベルごとに探索
  • キューで実装
  • 有向グラフ、無向グラフ、ツリーで使える
  • 迷路、ネットワーク、チェス、クローラーなど

動作

  1. 開始ノードをキューに追加
  2. キューからノードを取り出す
  3. 未訪問の隣接ノードをキューに追加
  4. キューが空になるまで繰り返す

実装

無向グラフの探索

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'))