Skip to content
Open
Show file tree
Hide file tree
Changes from 25 commits
Commits
Show all changes
27 commits
Select commit Hold shift + click to select a range
6a4edbe
dynamic maze solver
Ujjansh05 Oct 6, 2025
b2decb7
updated code
Ujjansh05 Oct 10, 2025
66356ae
Merge branch 'AtsushiSakai:master' into master
Ujjansh05 Oct 10, 2025
a4a1f6f
Created the doc file
Ujjansh05 Oct 13, 2025
d82c5dd
Merge branch 'master' of https://github.com/Ujjansh05/PythonRobotics
Ujjansh05 Oct 13, 2025
3849184
Delete docs/modules/5_path_planning/dynamic_bfs_maze_Solver/Dynamic_m…
Ujjansh05 Oct 21, 2025
62481b0
update the rst and added the test file
Ujjansh05 Oct 21, 2025
7cceb35
update some mathematical equations
Ujjansh05 Oct 21, 2025
3198468
fix the single letter words and update the rst
Ujjansh05 Oct 22, 2025
90d9df9
Update Dynamic_maze_Solver.rst
Ujjansh05 Oct 22, 2025
66d36c6
Update Dynamic_maze_Solver.rst
Ujjansh05 Oct 22, 2025
76f96e3
update the image
Ujjansh05 Oct 23, 2025
02053bd
Updated files
Ujjansh05 Oct 24, 2025
acee7b6
updated link
Ujjansh05 Oct 24, 2025
63303e5
update file name
Ujjansh05 Oct 24, 2025
71e78ae
updared typo
Ujjansh05 Oct 24, 2025
ce51ed3
updated the test file
Ujjansh05 Oct 24, 2025
09c0508
update the code link
Ujjansh05 Oct 25, 2025
0210a0e
updated the pathplanning file
Ujjansh05 Oct 25, 2025
e4cb7d9
update the .rst files
Ujjansh05 Oct 25, 2025
e228183
update .rst files
Ujjansh05 Oct 25, 2025
4975e29
update the rst files
Ujjansh05 Oct 25, 2025
3cc3d22
fix error CI
Ujjansh05 Oct 25, 2025
89192f9
fix the rendering status
Ujjansh05 Oct 25, 2025
5e765e4
fix gif rendering issues
Ujjansh05 Oct 25, 2025
559a404
update file path
Ujjansh05 Oct 26, 2025
ccfa6f3
updated the reference point
Ujjansh05 Oct 27, 2025
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 5 additions & 0 deletions PathPlanning/DynamicMazeSolver/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
"""Dynamic Maze Solver module."""

from .dynamic_maze_solver import MazeVisualizer

__all__ = ['MazeVisualizer']
201 changes: 201 additions & 0 deletions PathPlanning/DynamicMazeSolver/dynamic_maze_solver.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,201 @@
"""
Dynamic Maze Solver

Dynamic BFS maze visualizer demonstrating breadth-first search on a grid.

author: Ujjansh Sundram

See Wikipedia: https://en.wikipedia.org/wiki/Breadth-first_search
"""

import matplotlib.pyplot as plt
import matplotlib.colors as mcolors
import numpy as np
from collections import deque
import random
import matplotlib.animation as animation


class MazeVisualizer:
"""
Dynamic BFS maze-solving visualizer with moving target and evolving obstacles.
"""

def __init__(self, maze, start, target):
self.maze = np.array(maze, dtype=int)
self.start_pos = start
self.target_pos = target
self.solver_pos = start

self.rows, self.cols = self.maze.shape
self.step_delay_ms = 200 # Animation frame delay
self.target_move_interval = 5 # Target moves every N frames
self.obstacle_change_prob = 0.01 # Random obstacle toggle probability

# --- State Tracking ---
self.path = []
self.visited_nodes = set()
self.breadcrumb_trail = [self.solver_pos]
self.frame_count = 0

# --- Plot Setup ---
self.fig, self.ax = plt.subplots(figsize=(8, 6))
plt.style.use('seaborn-v0_8-darkgrid')
self.fig.patch.set_facecolor('#2c2c2c')
self.ax.set_facecolor('#1e1e1e')

self.ax.set_xticks([])
self.ax.set_yticks([])

# Base maze
self.maze_plot = self.ax.imshow(self.maze, cmap='magma', interpolation='nearest')

# Visited overlay
self.visited_overlay = np.zeros((*self.maze.shape, 4))
self.visited_plot = self.ax.imshow(self.visited_overlay, interpolation='nearest')

# Path, breadcrumbs, solver, target
self.path_line, = self.ax.plot([], [], 'g-', linewidth=3, alpha=0.7, label='Path')
self.breadcrumbs_plot = self.ax.scatter([], [], c=[], cmap='viridis_r', s=50, alpha=0.6, label='Trail')
self.solver_plot, = self.ax.plot(
[self.solver_pos[1]], [self.solver_pos[0]],
'o', markersize=15, color='#00ffdd', label='Solver'
)
self.target_plot, = self.ax.plot(
[self.target_pos[1]], [self.target_pos[0]],
'*', markersize=20, color='#ff006a', label='Target'
)

self.ax.legend(facecolor='gray', framealpha=0.5, loc='upper right')
self.title = self.ax.set_title("Initializing Maze...", color='white', fontsize=14)

def _bfs(self):
"""Performs BFS to find shortest path."""
queue = deque([(self.solver_pos, [self.solver_pos])])
visited = {self.solver_pos}

while queue:
(row, col), path = queue.popleft()

if (row, col) == self.target_pos:
return path, visited

for d_row, d_col in [(-1, 0), (1, 0), (0, -1), (0, 1)]:
n_row, n_col = row + d_row, col + d_col
if 0 <= n_row < self.rows and 0 <= n_col < self.cols and \
self.maze[n_row][n_col] == 0 and (n_row, n_col) not in visited:
visited.add((n_row, n_col))
queue.append(((n_row, n_col), path + [(n_row, n_col)]))

return None, visited

def _update_target(self):
"""Moves the target randomly to an adjacent open cell."""
t_row, t_col = self.target_pos
moves = [(-1, 0), (1, 0), (0, -1), (0, 1)]
random.shuffle(moves)
for d_row, d_col in moves:
n_row, n_col = t_row + d_row, t_col + d_col
if 0 <= n_row < self.rows and 0 <= n_col < self.cols and self.maze[n_row][n_col] == 0:
self.target_pos = (n_row, n_col)
break

def _update_obstacles(self):
"""Randomly toggle a few obstacles."""
for row in range(self.rows):
for col in range(self.cols):
if (row, col) in [self.solver_pos, self.target_pos]:
continue
if random.random() < self.obstacle_change_prob:
self.maze[row, col] = 1 - self.maze[row, col]

def _update_frame(self, frame):
"""Main animation loop."""
self.frame_count += 1

# --- State ---
if self.frame_count % self.target_move_interval == 0:
self._update_target()
self._update_obstacles()

self.path, self.visited_nodes = self._bfs()

# Move solver one step
if self.path and len(self.path) > 1:
self.solver_pos = self.path[1]
self.breadcrumb_trail.append(self.solver_pos)

# --- Visuals ---
self.maze_plot.set_data(self.maze)

# Visited overlay
self.visited_overlay.fill(0)
visited_color = mcolors.to_rgba('#0077b6', alpha=0.3)
for row, col in self.visited_nodes:
self.visited_overlay[row, col] = visited_color
self.visited_plot.set_data(self.visited_overlay)

# Path line
if self.path:
y, x = zip(*self.path)
self.path_line.set_data(x, y)
else:
self.path_line.set_data([], [])

# set_data() now receives sequences
self.solver_plot.set_data([self.solver_pos[1]], [self.solver_pos[0]])
self.target_plot.set_data([self.target_pos[1]], [self.target_pos[0]])

# Breadcrumbs
if self.breadcrumb_trail:
y, x = zip(*self.breadcrumb_trail)
colors = np.linspace(0.1, 1.0, len(y))
self.breadcrumbs_plot.set_offsets(np.c_[x, y])
self.breadcrumbs_plot.set_array(colors)

# Title update
if self.solver_pos == self.target_pos:
self.title.set_text("Dynamic Maze Solver")
self.title.set_color('lightgreen')
self.anim.event_source.stop()
else:
path_len = len(self.path) if self.path else "N/A"
self.title.set_text(f"Frame: {self.frame_count} | Path Length: {path_len}")
self.title.set_color('white' if self.path else 'coral')

return [
self.maze_plot, self.visited_plot, self.path_line,
self.solver_plot, self.target_plot, self.breadcrumbs_plot, self.title
]

def run(self):
"""Starts the animation."""
self.anim = animation.FuncAnimation(
self.fig,
self._update_frame,
frames=500,
interval=self.step_delay_ms,
blit=False,
repeat=False
)
plt.show()


if __name__ == "__main__":
initial_maze = [
[0, 1, 0, 0, 0, 0, 0, 0, 1, 0],
[0, 1, 0, 1, 1, 0, 1, 0, 1, 0],
[0, 0, 0, 1, 0, 0, 1, 0, 0, 0],
[0, 1, 0, 1, 0, 1, 1, 1, 1, 0],
[0, 1, 0, 0, 0, 0, 0, 0, 1, 0],
[0, 1, 1, 1, 1, 1, 1, 0, 1, 0],
[0, 0, 0, 0, 0, 0, 1, 0, 0, 0],
[1, 1, 1, 1, 0, 1, 1, 1, 1, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
]

start_point = (0, 0)
end_point = (8, 9)

visualizer = MazeVisualizer(initial_maze, start_point, end_point)
visualizer.run()
Original file line number Diff line number Diff line change
@@ -0,0 +1,116 @@
Dynamic Maze Solver using Breadth-First Search (BFS)
====================================================

.. contents:: Table of Contents
:local:
:depth: 2

Overview
--------

This example demonstrates a **dynamic maze-solving algorithm** based on the **Breadth-First Search (BFS)** strategy.
The visualizer dynamically updates a maze in real time while the solver attempts to reach a moving target.

Features
~~~~~~~~

- **Dynamic Maze Solving**: Real-time BFS pathfinding on a grid
- **Moving Target**: The target position changes dynamically during the search
- **Evolving Obstacles**: Obstacles can appear/disappear randomly during execution
- **Visual Feedback**:

- Black dots represent obstacles
- Solver position is shown with live updates
- Path visualization shows the solution trajectory
- Breadcrumb trail displays the solver's movement history

Sample Animation
~~~~~~~~~~~~~~~~

A sample animation frame from the dynamic maze solver:

.. image:: https://github.com/AtsushiSakai/PythonRoboticsGifs/raw/master/PathPlanning/DynamicMazeSolver/animation.gif
:width: 600
:align: center

The visualization shows:
- **Grid Layout**: The maze environment with obstacles (black points)
- **Target**: Red/green markers indicating the goal position
- **Path**: The solution path traced by the BFS algorithm
- **Real-time Updates**: Continuous animation showing the solver in action

Algorithmic Background
----------------------

Breadth-First Search (BFS)
--------------------------

The BFS algorithm is a graph traversal method that explores nodes in layers, guaranteeing the shortest path in an unweighted grid.

.. math::

M = \{ (i, j) \mid 0 \leq i < R, 0 \leq j < C \}

where R and C denote the number of rows and columns in the grid.

Usage Example
~~~~~~~~~~~~~

To run the dynamic maze solver:

.. code-block:: python

from PathPlanning.DynamicMazeSolver.dynamic_maze_solver import MazeVisualizer

# Define the maze (0 = free space, 1 = obstacle)
initial_maze = [
[0, 1, 0, 0, 0, 0, 0, 0, 1, 0],
[0, 1, 0, 1, 1, 0, 1, 0, 1, 0],
[0, 0, 0, 1, 0, 0, 1, 0, 0, 0],
[0, 1, 0, 1, 0, 1, 1, 1, 1, 0],
[0, 1, 0, 0, 0, 0, 0, 0, 1, 0],
[0, 1, 1, 1, 1, 1, 1, 0, 1, 0],
[0, 0, 0, 0, 0, 0, 1, 0, 0, 0],
[1, 1, 1, 1, 0, 1, 1, 1, 1, 0],
[0, 0, 0, 0, 0, 0, 0, 0, 0, 0],
]

# Set start and end points
start_point = (0, 0)
end_point = (8, 9)

# Create visualizer and run
visualizer = MazeVisualizer(initial_maze, start_point, end_point)
visualizer.run()

Expected Output
~~~~~~~~~~~~~~~

When you run the solver, you will see an interactive matplotlib window displaying:

- **Grid with Obstacles**: Black points representing walls and obstacles
- **Start Position**: Marked at the initial coordinates
- **Target Position**: The goal location (changes dynamically)
- **Solver Path**: The trajectory computed by BFS algorithm
- **Animation**: Real-time visualization of the pathfinding process
- **Status Bar**: Shows frame count and current path length

The animation continues until either:
- The solver reaches the target position (success)
- The maximum number of frames is reached (500 frames by default)

Code Link
+++++++++

.. autoclass:: PathPlanning.DynamicMazeSolver.dynamic_maze_solver.MazeVisualizer
:members:
:undoc-members:
:show-inheritance:


References
----------

- **Algorithm:** `Breadth-First Search (BFS) <https://en.wikipedia.org/wiki/Breadth-first_search>`_
- **Visualization:** Matplotlib animation
- **Maze Solver:** `AI Maze BFS Example <https://medium.com/@luthfisauqi17_68455/artificial-intelligence-search-problem-solve-maze-using-breadth-first-search-bfs-algorithm-255139c6e1a3>`_
1 change: 1 addition & 0 deletions docs/modules/5_path_planning/path_planning_main.rst
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ Path planning is the ability of a robot to search feasible and efficient path to
dynamic_window_approach/dynamic_window_approach
bugplanner/bugplanner
grid_base_search/grid_base_search
dynamic_bfs_maze_solver/dynamic_bfs_maze_solver
time_based_grid_search/time_based_grid_search
model_predictive_trajectory_generator/model_predictive_trajectory_generator
state_lattice_planner/state_lattice_planner
Expand Down
65 changes: 65 additions & 0 deletions tests/test_dynamic_maze_solver.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,65 @@
import conftest
from PathPlanning.DynamicMazeSolver import dynamic_maze_solver as m


def test_bfs_finds_path():
# small maze: 0=open, 1=wall
maze = [
[0, 0, 0],
[1, 1, 0],
[0, 0, 0]
]

start = (0, 0)
target = (2, 2)

# module `dynamic_maze_solver` exposes `MazeVisualizer` class
viz = m.MazeVisualizer(maze, start, target)

path, visited = viz._bfs()

assert path is not None
assert path[0] == start
assert path[-1] == target


def test_bfs_unreachable_target():
# target is enclosed by walls
maze = [
[0, 1, 0],
[1, 1, 1],
[0, 1, 0]
]

start = (0, 0)
target = (2, 2)

viz = m.MazeVisualizer(maze, start, target)

path, visited = viz._bfs()

assert path is None
assert target not in visited


def test_bfs_start_equals_target():
# trivial case where start == target
maze = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0]
]

start = (1, 1)
target = start

viz = m.MazeVisualizer(maze, start, target)

path, visited = viz._bfs()

assert path is not None
assert path == [start]


if __name__ == '__main__':
conftest.run_this_test(__file__)