Problem Description
You are given an m x n grid where each cell can have one of three values: 0 representing an empty cell, 1 representing a fresh orange, or 2 representing a rotten orange. Every minute, any fresh orange that is 4-directionally adjacent to a rotten orange becomes rotten. Return the minimum number of minutes that must elapse until no cell has a fresh orange. If this is impossible, return -1.
Key Insights
- Fresh oranges (1) can only become rotten if they are adjacent to a rotten orange (2).
- The process of rotting spreads like a wave, affecting all adjacent fresh oranges simultaneously each minute.
- A breadth-first search (BFS) approach is suitable for this problem as it explores all neighbors at the present depth before moving on to nodes at the next depth level.
- We need to keep track of how many fresh oranges are initially present and how many minutes it takes for all of them to rot.
Space and Time Complexity
Time Complexity: O(m * n), where m is the number of rows and n is the number of columns in the grid. Each cell is processed at most once. Space Complexity: O(m * n) in the worst case for the queue used in BFS.
Solution
The solution employs a breadth-first search (BFS) approach. We will:
- Initialize a queue to store the positions of all rotten oranges.
- Count the total number of fresh oranges.
- Perform BFS: for each rotten orange, check its 4-directionally adjacent cells. If an adjacent cell contains a fresh orange, mark it as rotten and add it to the queue.
- Keep track of the minutes elapsed.
- If all fresh oranges are rotten by the end of the BFS, return the minutes. If any fresh oranges remain, return -1.