Problem Description
Given an m x n binary matrix mat, return the distance of the nearest 0 for each cell. The distance between two cells sharing a common edge is 1.
Key Insights
- The problem involves finding the shortest distance from each cell to the nearest cell containing a 0.
- A breadth-first search (BFS) is an effective way to explore all possible paths and find the shortest distances from multiple sources (the 0s).
- Using a queue data structure allows us to efficiently process cells layer by layer, updating distances as we progress.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(m * n)
Solution
To solve this problem, we utilize the Breadth-First Search (BFS) algorithm. The idea is to treat all the cells containing 0 as starting points and explore their neighboring cells to calculate the distance to the nearest 0 for each cell in the matrix. A queue is used to facilitate the BFS traversal, while a distance matrix keeps track of the distances from each cell to the nearest 0.
- Initialize a distance matrix with a large value for each cell.
- Use a queue to store the coordinates of all cells containing 0 and set their distance to 0 in the distance matrix.
- For each cell processed from the queue, check its four possible neighbors (up, down, left, right).
- If a neighbor has not been visited (i.e., its distance is still large), update its distance and add it to the queue.
- Continue this process until all reachable cells have been processed.