A Maze is given as N*N binary matrix of blocks where source block is the upper left most block i.e., maze[0][0] and destination block is lower rightmost block i.e., maze[N-1][N-1]. A rat starts from source and has to reach destination. The rat can move only in two directions: forward and down.
In the maze matrix, 0 means the block is dead end and 1 means the block can be used in the path from source to destination.
Read full article from Backtracking | Set 2 (Rat in a Maze) | GeeksforGeeks
In the maze matrix, 0 means the block is dead end and 1 means the block can be used in the path from source to destination.
If destination is reached print the solution matrix Else a) Mark current cell in solution matrix as 1. b) Move forward in horizontal direction and recursively check if this move leads to a solution. c) If the move chosen in the above step doesn't lead to a solution then move down and check if this move leads to a solution. d) If none of the above solutions work then unmark this cell as 0 (BACKTRACK) and return false.
bool
solveMazeUtil(
int
maze[N][N],
int
x,
int
y,
int
sol[N][N])
{
// if (x,y is goal) return true
if
(x == N-1 && y == N-1)
{
sol[x][y] = 1;
return
true
;
}
// Check if maze[x][y] is valid
if
(isSafe(maze, x, y) ==
true
)
{
// mark x,y as part of solution path
sol[x][y] = 1;
/* Move forward in x direction */
if
(solveMazeUtil(maze, x+1, y, sol) ==
true
)
return
true
;
/* If moving in x direction doesn't give solution then
Move down in y direction */
if
(solveMazeUtil(maze, x, y+1, sol) ==
true
)
return
true
;
/* If none of the above movements work then BACKTRACK:
unmark x,y as part of solution path */
sol[x][y] = 0;
return
false
;
}
return
false
;
}
bool
isSafe(
int
maze[N][N],
int
x,
int
y)
{
// if (x,y outside maze) return false
if
(x >= 0 && x < N && y >= 0 && y < N && maze[x][y] == 1)
return
true
;
return
false
;
}