200. Number of Islands


Problem Description

In this problem, we are provided with a two-dimensional grid where each cell has a binary value; either '1' representing land or '0' representing water. The task is to calculate the number of islands on this grid. An island is defined as a cluster of adjacent '1's, and two cells are considered adjacent if they are directly north, south, east, or west of each other (no diagonal connection). The boundary of the grid is surrounded by water, which means there are '0's all around the grid.

To sum up, we need to identify the groups of connected '1's within the grid and count how many separate groups (islands) are present.

Intuition

The intuition behind the solution is to scan the grid cell by cell. When we encounter a '1', we treat it as a part of an island which has not been explored yet. To mark this exploration, we perform a Depth-First Search (DFS) starting from that cell, turning all connected '1's to '0's, effectively "removing" the island from the grid to prevent counting it more than once.

The core approach involves the following steps:

  1. Iterate over each cell of the grid.
  2. When a cell with value '1' is found, increment our island count as we've discovered a new island.
  3. Initiate a DFS from that cell, changing all connected '1's (i.e., the entire island) to '0's to mark them as visited.
  4. Continue the grid scan until all cells are processed.

During the DFS, we explore in four directions: up, down, left, and right. We ensure the exploration step remains within grid bounds to avoid index errors.

This approach allows us to traverse each island only once, and by marking cells as visited, we avoid recounting any part of an island. Thus, we effectively count each distinct island just once, leading us to the correct solution.

Learn more about Depth-First Search, Breadth-First Search and Union Find patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece๏ผš

What's the output of running the following function using input 56?

1KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12def letter_combinations_of_phone_number(digits):
13    def dfs(path, res):
14        if len(path) == len(digits):
15            res.append(''.join(path))
16            return
17
18        next_number = digits[len(path)]
19        for letter in KEYBOARD[next_number]:
20            path.append(letter)
21            dfs(path, res)
22            path.pop()
23
24    res = []
25    dfs([], res)
26    return res
27
1private static final Map<Character, char[]> KEYBOARD = Map.of(
2    '2', "abc".toCharArray(),
3    '3', "def".toCharArray(),
4    '4', "ghi".toCharArray(),
5    '5', "jkl".toCharArray(),
6    '6', "mno".toCharArray(),
7    '7', "pqrs".toCharArray(),
8    '8', "tuv".toCharArray(),
9    '9', "wxyz".toCharArray()
10);
11
12public static List<String> letterCombinationsOfPhoneNumber(String digits) {
13    List<String> res = new ArrayList<>();
14    dfs(new StringBuilder(), res, digits.toCharArray());
15    return res;
16}
17
18private static void dfs(StringBuilder path, List<String> res, char[] digits) {
19    if (path.length() == digits.length) {
20        res.add(path.toString());
21        return;
22    }
23    char next_digit = digits[path.length()];
24    for (char letter : KEYBOARD.get(next_digit)) {
25        path.append(letter);
26        dfs(path, res, digits);
27        path.deleteCharAt(path.length() - 1);
28    }
29}
30
1const KEYBOARD = {
2    '2': 'abc',
3    '3': 'def',
4    '4': 'ghi',
5    '5': 'jkl',
6    '6': 'mno',
7    '7': 'pqrs',
8    '8': 'tuv',
9    '9': 'wxyz',
10}
11
12function letter_combinations_of_phone_number(digits) {
13    let res = [];
14    dfs(digits, [], res);
15    return res;
16}
17
18function dfs(digits, path, res) {
19    if (path.length === digits.length) {
20        res.push(path.join(''));
21        return;
22    }
23    let next_number = digits.charAt(path.length);
24    for (let letter of KEYBOARD[next_number]) {
25        path.push(letter);
26        dfs(digits, path, res);
27        path.pop();
28    }
29}
30

Solution Approach

The solution approach utilizes Depth-First Search (DFS) as the main algorithm for solving the problem of finding the number of islands in the grid. Here's a step-by-step explanation of the implementation:

  1. Define a nested function called dfs inside the numIslands method which takes the grid coordinates (i, j) of a cell as parameters. This function will be used to perform the DFS from a given starting cell that is part of an island.

  2. The dfs function first sets the current cell's value to '0' to mark it as visited. This prevents the same land from being counted again when iterating over other parts of the grid.

  3. Then, for each adjacent direction defined by dirs (which are the four possible movements: up, down, left, and right), the dfs function calculates the adjacent cell's coordinates (x, y).

  4. If the adjacent cell (x, y) is within the grid boundaries (0 <= x < m and 0 <= y < n) and it's a '1' (land), the dfs function is recursively called for this new cell.

  5. Outside of the dfs function, the main part of the numIslands method initializes an ans counter to keep track of the number of islands found.

  6. The variable dirs is a tuple containing the directions used in the DFS to traverse the grid in a cyclic order. By using pairwise(dirs), we always get a pair of directions that represent a straight line movement (either horizontal or vertical) without diagonal moves.

  7. We iterate over each cell of the grid using a nested loop. When we encounter a '1', we call the dfs function on that cell, marking the entire connected area, and then increment the ans counter since we have identified an entire island.

  8. At the end of the nested loops, we have traversed the entire grid and recursively visited all connected '1's, marking them as '0's, thus avoiding multiple counts of the same land.

  9. The ans variable now contains the total number of islands, which is returned as the final answer.

The main data structures used in the implementation are:

  • The input grid, which is a two-dimensional list used to represent the map.
  • The dirs tuple, which stores the possible directions of movement within the grid.

By using DFS, we apply a flood fill technique, similar to the "bucket" fill tool in paint programs, where we fill an entire connected region with a new value. In our case, we fill connected '1's with '0's to "remove" the island from being counted more than once. This pattern ensures that each separate island is counted exactly one time.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Which data structure is used to implement priority queue?

Example Walkthrough

Imagine we are given the following grid:

1grid = [
2    ["1","1","0","0","0"],
3    ["1","1","0","0","0"],
4    ["0","0","1","0","0"],
5    ["0","0","0","1","1"]
6]

Here is a step-by-step walkthrough of the solution approach for the given example:

  1. We start from the top-left corner of the grid and iterate through each cell.

  2. The first cell grid[0][0] is '1', indicating land, so we increase our island count to 1.

  3. We then call the dfs function on this cell which will mark all the connected '1's as '0's as follows:

    • dfs(0, 0) changes grid[0][0] to '0'. It then recursively explores its neighbors which are grid[0][1], grid[1][0] (since grid[-1][0] and grid[0][-1] are out of bounds).
    • dfs(0, 1) changes grid[0][1] to '0'. Its neighbors grid[0][2] and grid[1][1] are then explored but they are already '0' and '1' respectively but since grid[1][1] is connected, dfs(1, 1) is called.
    • dfs(1, 1) changes grid[1][1] to '0'. There are no more '1's connected to it directly.

    This results in the grid becoming:

    1[
    2    ["0","0","0","0","0"],
    3    ["0","0","0","0","0"],
    4    ["0","0","1","0","0"],
    5    ["0","0","0","1","1"]
    6]
  4. Continuing the iteration, we find the next '1' at grid[2][2]. We increment our island count to 2 and perform dfs(2, 2) which results in:

    1[
    2    ["0","0","0","0","0"],
    3    ["0","0","0","0","0"],
    4    ["0","0","0","0","0"],
    5    ["0","0","0","1","1"]
    6]
  5. Finally, the last '1' is encountered at grid[3][3]. After incrementing the island count to 3, we perform dfs(3, 3) which also changes grid[3][4] to '0' as it is connected:

    1[
    2    ["0","0","0","0","0"],
    3    ["0","0","0","0","0"],
    4    ["0","0","0","0","0"],
    5    ["0","0","0","0","0"]
    6]

    With no more '1's left in the grid, we have identified all the islands - a total of 3.

  6. Now that we have processed the entire grid, we return the ans counter value which is 3.

This walkthrough demonstrates the application of DFS in marking each discovered island and preventing overlap in counting by converting all connected '1' cells to '0'. By the completion of the iteration over the entire grid, we have the total number of separate islands encountered.

Solution Implementation

1class Solution:
2    def numIslands(self, grid: List[List[str]]) -> int:
3        def dfs(row, col):
4            # Mark the current cell as '0' to indicate the land is visited
5            grid[row][col] = '0'
6            # Explore all four directions from the current cell
7            for dx, dy in zip(directions[:-1], directions[1:]):
8                new_row, new_col = row + dx, col + dy
9                # Check if the new cell is within grid bounds and is land ('1')
10                if 0 <= new_row < rows and 0 <= new_col < cols and grid[new_row][new_col] == '1':
11                    # Perform DFS on the new cell
12                    dfs(new_row, new_col)
13
14        # Initialize count of islands
15        island_count = 0
16        # Define the directions to explore
17        directions = (-1, 0, 1, 0, -1)
18        # Get the dimensions of the grid
19        rows, cols = len(grid), len(grid[0])
20        # Iterate over each cell in the grid
21        for row in range(rows):
22            for col in range(cols):
23                # If the cell is land ('1'), it's a new island
24                if grid[row][col] == '1':
25                    # Perform DFS to mark all connected land for the current island
26                    dfs(row, col)
27                    # Increment the island count
28                    island_count += 1
29        # Return the total number of islands
30        return island_count
31
1class Solution {
2    // Define grid and its dimensions
3    private char[][] grid;
4    private int numRows;
5    private int numCols;
6
7    // Method to count the number of islands in the given grid
8    public int numIslands(char[][] grid) {
9        numRows = grid.length;
10        numCols = grid[0].length;
11        this.grid = grid;
12      
13        int numIslands = 0; // Initialize island count
14      
15        // Iterate through each cell in the grid
16        for (int i = 0; i < numRows; ++i) {
17            for (int j = 0; j < numCols; ++j) {
18                // If cell contains '1', it is part of an island
19                if (grid[i][j] == '1') {
20                    // Use DFS to mark the entire island as visited
21                    depthFirstSearch(i, j);
22                    // Increase the island count
23                    ++numIslands;
24                }
25            }
26        }
27        return numIslands;
28    }
29
30    // Helper method to perform DFS to mark all cells of an island as visited
31    private void depthFirstSearch(int row, int col) {
32        // Mark the current cell as visited by setting it to '0'
33        grid[row][col] = '0';
34      
35        // Array to facilitate the exploration of adjacent directions (up, right, down, left)
36        int[] directions = {-1, 0, 1, 0, -1};
37      
38        // Explore all 4 adjacent directions
39        for (int k = 0; k < 4; ++k) {
40            int newRow = row + directions[k];
41            int newCol = col + directions[k + 1];
42            // Check boundaries and if the adjacent cell is part of an island
43            if (newRow >= 0 && newRow < numRows && newCol >= 0 && newCol < numCols && grid[newRow][newCol] == '1') {
44                // Continue DFS exploration for the adjacent cell
45                depthFirstSearch(newRow, newCol);
46            }
47        }
48    }
49}
50
1#include <vector>
2#include <functional>
3using namespace std;
4
5class Solution {
6public:
7    // Function to count the number of islands in a given grid
8    int numIslands(vector<vector<char>>& grid) {
9        int rowCount = grid.size();      // Number of rows in the grid
10        int colCount = grid[0].size();   // Number of columns in the grid
11        int islandCount = 0;             // Number of islands found
12
13        // Directions array for moving up, right, down, left
14        int directions[5] = {-1, 0, 1, 0, -1};
15
16        // Depth-First Search (DFS) to traverse the island and mark visited parts
17        function<void(int, int)> dfs = [&](int row, int col) {
18            grid[row][col] = '0'; // Mark the current cell as visited
19            // Traverse adjacent cells
20            for (int k = 0; k < 4; ++k) {
21                int newRow = row + directions[k];
22                int newCol = col + directions[k + 1];
23                // Check if the new position is within bounds and has a '1' (unvisited land)
24                if (newRow >= 0 && newRow < rowCount && newCol >= 0 && newCol < colCount && grid[newRow][newCol] == '1') {
25                    dfs(newRow, newCol); // Recursively call DFS for the adjacent cell
26                }
27            }
28        };
29
30        // Iterate through the entire grid
31        for (int row = 0; row < rowCount; ++row) {
32            for (int col = 0; col < colCount; ++col) {
33                // If the cell contains a '1', it is a new island
34                if (grid[row][col] == '1') {
35                    dfs(row, col);     // Perform DFS to mark all connected lands
36                    islandCount++;     // Increment island count
37                }
38            }
39        }
40        return islandCount; // Return the total count of islands
41    }
42};
43
1function numIslands(grid: string[][]): number {
2    // m is the number of rows in the grid
3    const numberOfRows = grid.length;
4    // n is the number of columns in the grid (assuming the grid is not empty)
5    const numberOfColumns = grid[0].length;
6    // ans will hold the number of islands found
7    let numberOfIslands = 0;
8
9    // The Depth-First Search function, which marks visited land sections as '0'
10    function depthFirstSearch(row: number, column: number) {
11        // Set the current location to '0' to mark as visited
12        grid[row][column] = '0';
13        // Array representing the 4 directions (up, right, down, left)
14        const directions = [-1, 0, 1, 0, -1];
15      
16        // Iterate over each direction
17        for (let k = 0; k < 4; ++k) {
18            // Calculate the new coordinates based on the current direction
19            const newRow = row + directions[k];
20            const newColumn = column + directions[k + 1];
21          
22            // Check if the new coordinates are within bounds and the cell contains '1'
23            if (newRow >= 0 && newRow < numberOfRows && newColumn >= 0 && newColumn < numberOfColumns && grid[newRow][newColumn] === '1') {
24                // If so, perform DFS on the adjacent cell
25                depthFirstSearch(newRow, newColumn);
26            }
27        }
28    }
29
30    // Iterate over every cell in the grid
31    for (let row = 0; row < numberOfRows; ++row) {
32        for (let column = 0; column < numberOfColumns; ++column) {
33            // If the cell contains '1' (land), an island is found
34            if (grid[row][column] === '1') {
35                // Perform DFS to mark the entire island
36                depthFirstSearch(row, column);
37                // Increment the island count
38                numberOfIslands++;
39            }
40        }
41    }
42
43    // Return the total number of islands found
44    return numberOfIslands;
45}
46
Not Sure What to Study? Take the 2-min Quiz๏ผš

What are the two properties the problem needs to have for dynamic programming to be applicable? (Select 2)

Time and Space Complexity

The given code implements the Depth-First Search (DFS) algorithm to count the number of islands ('1') in a grid. The time complexity and space complexity analysis are as follows:

Time Complexity

The time complexity of the code is O(m * n), where m is the number of rows in the grid, and n is the number of columns. This is because the algorithm must visit each cell in the entire grid once to ensure all parts of the islands are counted and marked. The DFS search is invoked for each land cell ('1') that hasn't yet been visited, and it traverses all its adjacent land cells. Although the outer loop runs for m * n iterations, each cell is visited once by the DFS, ensuring that the overall time complexity remains linear concerning the total number of cells.

Space Complexity

The space complexity is O(m * n) in the worst case. This worst-case scenario occurs when the grid is filled with land cells ('1'), where the depth of the recursion stack (DFS) potentially equals the total number of cells in the grid if we are dealing with one large island. Since the DFS can go as deep as the largest island, and in this case, that's the entire grid, the stack space used by the recursion is proportionate to the total number of cells.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

Which algorithm is best for finding the shortest distance between two points in an unweighted graph?


Recommended Readings


Got a question?ย Ask the Teaching Assistantย anything you don't understand.

Still not clear? Ask in the Forum, ย Discordย orย Submitย the part you don't understand to our editors.

โ†
โ†‘TA ๐Ÿ‘จโ€๐Ÿซ