We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Number of Fish in a Grid

Difficulty: Medium


Problem Description

You are given a 0-indexed 2D matrix grid of size m x n, where (r, c) represents:

  • A land cell if grid[r][c] = 0, or
  • A water cell containing grid[r][c] fish, if grid[r][c] > 0.

A fisher can start at any water cell (r, c) and can do the following operations any number of times:

  • Catch all the fish at cell (r, c), or
  • Move to any adjacent water cell.

Return the maximum number of fish the fisher can catch if he chooses his starting cell optimally, or 0 if no water cell exists.

Key Insights

  • The problem can be solved using Depth-First Search (DFS) or Breadth-First Search (BFS) to explore all connected water cells.
  • Each connected component of water cells can be treated as a separate area where fish can be collected.
  • The total number of fish in a connected component can be calculated by traversing each cell in the component and summing up the fish counts.

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, as we may need to visit each cell once.

Space Complexity: O(m * n), for the visited matrix and the recursion stack in the case of DFS.

Solution

To solve the problem, we can use either DFS or BFS to traverse all connected water cells starting from each unvisited water cell. For each connected component, we will calculate the total number of fish and keep track of the maximum found.

  1. Iterate through each cell in the grid.
  2. If the cell is a water cell and has not been visited, start a DFS/BFS from that cell.
  3. During the traversal, mark cells as visited and sum the total fish in the connected component.
  4. Compare the total with a running maximum and update if necessary.
  5. Return the maximum number of fish found.

Code Solutions

def maxFish(grid):
    if not grid:
        return 0
    
    m, n = len(grid), len(grid[0])
    visited = [[False] * n for _ in range(m)]
    
    def dfs(r, c):
        if r < 0 or r >= m or c < 0 or c >= n or visited[r][c] or grid[r][c] == 0:
            return 0
        
        visited[r][c] = True
        total_fish = grid[r][c]
        
        # Explore all 4 directions
        total_fish += dfs(r + 1, c)
        total_fish += dfs(r - 1, c)
        total_fish += dfs(r, c + 1)
        total_fish += dfs(r, c - 1)
        
        return total_fish
    
    max_fish = 0
    for i in range(m):
        for j in range(n):
            if grid[i][j] > 0 and not visited[i][j]:
                max_fish = max(max_fish, dfs(i, j))
    
    return max_fish
← Back to All Questions