994. Rotting Oranges - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

We have a grid (matrix) where each cell can be one of three values:

  • 0 – an empty cell (no orange).
  • 1 – a fresh orange.
  • 2 – a rotten orange.

Every minute, any fresh orange that is 4-directionally adjacent (up, down, left, or right) to a rotten orange becomes rotten. The task is to determine the minimum number of minutes required for all fresh oranges to become rotten. If it is impossible for all oranges to rot (i.e., some fresh oranges are completely isolated from any rotten orange), the answer should be -1.

Example 1:

Input: [[2,1,1],[1,1,0],[0,1,1]]
Output: 4
Explanation: In this 3x3 grid, the rot spreads from the initially rotten orange to all others in 4 minutes. Starting with one rotten orange at (0,0), each minute it contaminates adjacent fresh ones until all reachable oranges are rotten.

Example 2:

Input: [[2,1,1],[0,1,1],[1,0,1]]
Output: -1
Explanation: The fresh orange at (2,0) remains isolated by empty cells and can never rot. Hence, not all fresh oranges can become rotten.

Example 3:

Input: [[0,2]]
Output: 0
Explanation: There are no fresh oranges to begin with, so the time required is 0 minutes.

Constraints:

  • m == grid.length, n == grid[i].length
  • 1 <= m, n <= 10 (grid dimensions are at most 10x10)
  • grid[i][j] is only 0, 1, or 2.

Hints to Solve the Problem

  1. Think of the rotting process as a spreading infection. One rotten orange will contaminate its neighbors over time, similar to an infection spreading in waves.

  2. A Breadth-First Search (BFS) approach is ideal here. In BFS, we process nodes level by level – this naturally fits the idea of "minute by minute" spreading. Each minute corresponds to one level of BFS propagation.

  3. Use a queue to keep track of oranges that will rot others in the next minute. Initially, enqueue all rotten oranges (as multiple starting points for BFS). Then, process all oranges in the queue (all those rotten at the current minute) and rot their fresh neighbors, adding those newly rotten oranges to the queue for the next round.

  4. Keep track of the total count of fresh oranges. Each time a fresh orange rots, decrement this count. This helps to determine when all oranges have rotted, and also to detect if some remain fresh despite the process (in which case the answer is -1).

Approach 1: Brute Force (Inefficient)

Idea: One straightforward approach is to simulate the rotting process minute by minute in a brute-force manner. In each iteration (minute), scan the entire grid and find all fresh oranges that are adjacent to any rotten orange; then rot all of those fresh oranges simultaneously. Repeat this process until no new oranges become rotten in an iteration. The number of iterations will be the time taken. If there are still fresh oranges left when the process stops, it means they cannot be reached by any rotten orange, and we should return -1.

This brute-force simulation literally iterates the grid minute by minute, rotting fresh oranges that are adjacent to rotten ones. We need to be careful to rot oranges for each minute simultaneously – typically by using a copy of the grid for the next state – so that oranges that rot at minute k don’t immediately rot others in the same minute’s iteration. We continue until either all oranges are rotten or an iteration passes with no change (no new oranges rotted). At that point, if any fresh orange remains, the answer is -1.

Why is this approach inefficient? In the worst case, the spread of rot could take many minutes, and each minute we scan the entire grid. For a grid of size m × n and k minutes of rotting, the time complexity can be about O(k × m × n). In the worst scenario where oranges rot one after another (not concurrently), k could be on the order of m × n, making the complexity ~O((m × n)^2), which is very slow for larger grids. This method also requires additional space to copy the grid state for each iteration, leading to O(m × n) space usage for the grid copy. While this brute-force approach will work for the small grid sizes in our constraints, it’s not optimal.

Approach 2: Optimal BFS Approach

Idea: We can solve the problem much more efficiently using multi-source BFS. Instead of rotting oranges one minute at a time with repeated scans, we treat all initially rotten oranges as starting points (sources) and spread the rot outward in waves. BFS naturally processes nodes in layers (levels), which correspond to minutes in this problem. All oranges that rot after 1 minute form the first layer, those that rot after 2 minutes form the next, and so on. This way, we infect all oranges in the minimum time possible.

How it works: Think of the grid as a graph where each cell is a vertex and edges connect adjacent cells (up, down, left, right). All initially rotten oranges are enqueued to start the BFS. Then:

  1. Initialization: Enqueue all rotten oranges' coordinates and set a minutes counter to 0. Count the total number of fresh oranges at the start . If there are no fresh oranges at all, return 0 immediately (nothing to rot).
  2. BFS traversal: While the queue is not empty, process all oranges in the queue for the current minute (this represents all oranges that are rotten at this time). For each such orange, look at its 4 neighbors. If a neighbor is a fresh orange (value 1), turn it into rotten (change to 2), decrement the fresh count, and add that neighbor to a temporary list or queue of oranges that will be rotten in the next minute.
  3. Increment time: After processing all oranges for the current minute (i.e., the entire queue level), increment the minutes counter, and update the queue with all the newly rotten oranges (the next layer of BFS). This signifies moving to the next minute of infection spread.
  4. Continue BFS: Repeat the process until there are no more fresh oranges to rot or the queue becomes empty.

If BFS finishes (queue is empty) and there are still fresh oranges (fresh_count > 0), that means some oranges could never be reached by the rot – they are isolated. In that case, return -1. Otherwise, if all oranges have rotted, the minutes counter holds the minimum time it took. (One nuance: if we counted minutes on each layer change, by the time the loop ends we might have incremented one extra minute, so sometimes the result is minutes - 1 depending on implementation. In our approach below, we handle the increment such that minutes will be the correct count when the process ends.)

Why this is efficient: BFS ensures that each orange becomes rotten at the earliest possible time, and we visit each cell at most once when it turns from fresh to rotten. Thus, the time complexity is O(m × n) – each cell is processed a constant number of times (at most once when it rots). The space complexity is also O(m × n) in the worst case for the queue (if all oranges rot at about the same time, they could all be in the queue). This is much better than the brute force approach. The BFS approach is the standard optimal solution for this problem.

Code Implementations

Python Implementation:

Python3
Python3

. . . .

Explanation: In the Python code, we use a queue (deque) to perform BFS. We first enqueue all rotten oranges and count fresh ones. Then we loop minute by minute (each loop iteration represents one minute) processing all oranges that are rotten at that time. For each rotten orange, we rot its fresh neighbors and enqueue those neighbors for the next round. We increment the minutes counter after each layer. At the end, if any fresh remain, we return -1; otherwise we return minutes - 1 (because when the loop ends, we have incremented minutes one extra time after the last set of oranges rotted).

Java Implementation:

Java
Java

. . . .

Explanation: The Java code uses a LinkedList as a queue for BFS. We first add all rotten oranges to the queue and count the fresh ones. Then we run a BFS loop. In each iteration (which represents one minute of time), we process all elements currently in the queue (all oranges that are rotten at the start of this minute). For each rotten orange, we check its four neighbors; if a neighbor is fresh, we rot it (set to 2), decrement the fresh count, and enqueue that neighbor. We increment the minutes after processing one layer of BFS. In the end, we return -1 if there are still fresh oranges left, otherwise minutes - 1 as the time taken. (We subtract 1 because when the loop exits, we've done one extra increment in the last iteration where no new oranges got rotted.)

Complexity Analysis

Approach 1 (Brute Force): Let m be the number of rows and n the number of columns. In the worst case, we might repeat the grid scan for each minute of rotting. If it takes k minutes for the process to finish, the time complexity is O(k · m · n). In the worst scenario where the rot spreads one orange at a time, k could be m·n (rot propagating to each cell sequentially), making the complexity about O((m·n)^2) – extremely slow for large grids. The space complexity is O(m · n) because we may need a copy of the grid to track updates each minute and avoid interfering with the ongoing process.

Approach 2 (BFS): We perform a single BFS traversal of the grid. Each cell is enqueued and dequeued at most once (when it becomes rotten), and we check a constant number (4) of neighbors for each cell. Thus, the time complexity is O(m · n). The space complexity is also O(m · n) in the worst case, due to the queue holding potentially all oranges if they all became rotten in the same wave.

Common Mistakes & Edge Cases

  • Forgetting multi-source start: A common mistake is to initially enqueue only one rotten orange or process them one by one. In fact, all rotten oranges at the start should be enqueued together (treated as simultaneous sources). Missing this can lead to incorrect results or overestimation of time.

  • Incorrect time calculation: It’s easy to off-by-one errors in tracking minutes. Remember that if we increment the minute counter after processing a layer of BFS, the final answer should be minutes - 1 when all oranges are rotted (because the last increment happens after the final fresh orange is rotted). Another strategy is to increment minutes at the start of each round except the first, to align the count correctly.

  • Not handling the no-fresh case: If there are zero fresh oranges from the beginning, the answer should be 0 (no time needed). Make sure to check this before starting the BFS. In Example 3, since there were no fresh oranges initially, the output was 0.

  • Isolated oranges not detected: After the process, if any fresh oranges remain, you must return -1. A mistake would be to return the minute count even if fresh oranges are left. Ensure your solution checks for remaining fresh oranges at the end. (For instance, a grid like Example 2 should correctly yield -1 because some fresh orange was never reached by the rot.)

  • Modifying the grid in brute force incorrectly: In the brute-force approach, if one naively updates the grid in-place while scanning, you might rot oranges in the same iteration that shouldn’t rot until the next minute. The correct approach is to compute the next state on a separate grid or mark changes and apply them after the scan. This complexity is one reason the brute-force method is not idea.

  • Diagonal or Other Spread Rules: A variation of this problem could allow oranges to rot diagonally (8-directional adjacency) or require more than one minute to spread to a neighbor. The approach to solve would still be similar (BFS), but with different neighbor directions or processing rules. For example, if diagonal spread is allowed, we would add those 4 extra directions in our BFS. If spreading takes longer, we might mark oranges with the time they will rot and process in increasing time order (similar to weighted BFS or Dijkstra’s algorithm in grids).

  • “Zombie in a Matrix”: This is a known similar problem where 1 represents a human, 2 represents a zombie, and zombies infect adjacent humans each hour. It’s essentially the same BFS approach with a different story. The goal is to find how many hours until all humans are infected (or determine impossibility) – the solution strategy is identical to Rotting Oranges.

  • Walls and Gates (LeetCode 286): Another related problem where 0 represents gates and we fill each empty room with the distance to the nearest gate. All gates are used as simultaneous BFS sources, just like all rotten oranges her. The multi-source BFS pattern is the same.

  • Matrix Distance Transform (01 Matrix, LeetCode 542): In that problem, we find the distance of each cell to the nearest 0 in a binary matrix. Initially all 0s are enqueued (as sources) and BFS fills in the distances for 1s. This again is a multi-source BFS scenario akin to rotting oranges.

  • Flood Fill and Fire Spread Problems: Many grid-based spread simulations (like fire spreading in a forest, or infection spread in a network) use a similar approach. If the rules allow simultaneous spreading to neighbors in discrete time steps, BFS is usually the ideal approach to compute the minimum time or propagation extent.

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
How many hours of coding practice per day?
Which Java API is used for multithreading and concurrency?
Identifying trade-offs between latency and throughput in designs
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;