Problem Description
You are given an m x n matrix maze (0-indexed) with empty cells (represented as '.') and walls (represented as '+'). You are also given the entrance of the maze, where entrance = [entrance_row, entrance_col] denotes the row and column of the cell you are initially standing at.
In one step, you can move one cell up, down, left, or right. You cannot step into a cell with a wall, and you cannot step outside the maze. Your goal is to find the nearest exit from the entrance. An exit is defined as an empty cell that is at the border of the maze. The entrance does not count as an exit.
Return the number of steps in the shortest path from the entrance to the nearest exit, or -1 if no such path exists.
Key Insights
- The problem can be visualized as a graph traversal where each cell is a node.
- The BFS (Breadth-First Search) algorithm is suitable for finding the shortest path in an unweighted grid.
- Exits are defined as empty cells located at the borders of the maze, excluding the entrance cell.
- Care should be taken to mark visited cells to avoid cycles and unnecessary computations.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(m * n)
Solution
To solve this problem, we use the Breadth-First Search (BFS) algorithm. We start from the entrance cell and explore all four possible directions (up, down, left, right) to find the nearest exit.
- Create a queue to keep track of the cells to explore, starting with the entrance cell.
- Maintain a set or a matrix to track visited cells to avoid re-processing.
- For each cell, check if it is a valid exit (i.e., it is on the border and is not the entrance).
- If an exit is found, return the number of steps taken to reach it.
- If the queue is exhausted and no exit is found, return -1.