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

Path with Maximum Gold

Difficulty: Medium


Problem Description

In a gold mine grid of size m x n, each cell in this mine has an integer representing the amount of gold in that cell, 0 if it is empty. Return the maximum amount of gold you can collect under the conditions:

  • Every time you are located in a cell you will collect all the gold in that cell.
  • From your position, you can walk one step to the left, right, up, or down.
  • You can't visit the same cell more than once.
  • Never visit a cell with 0 gold.
  • You can start and stop collecting gold from any position in the grid that has some gold.

Key Insights

  • The problem can be solved using a backtracking approach to explore all possible paths in the grid.
  • Starting from each cell that contains gold, we can recursively explore all four possible directions (up, down, left, right).
  • We need to keep track of visited cells to avoid counting the same cell multiple times.
  • The maximum gold collected from all starting positions will be the result.

Space and Time Complexity

Time Complexity: O(m * n) in the worst case, where each cell is visited multiple times. Space Complexity: O(m * n) for the recursion stack in the backtracking approach.


Solution

The problem can be approached using a backtracking algorithm. The grid is traversed recursively starting from every cell that contains gold. A depth-first search (DFS) is performed to explore each direction while keeping track of visited cells. The algorithm accumulates the gold collected and updates the maximum gold found during the exploration. The key data structures used include a 2D array for the grid and variables to track the current position and collected gold.


Code Solutions

def getMaximumGold(grid):
    if not grid:
        return 0
    
    rows, cols = len(grid), len(grid[0])
    max_gold = 0
    
    def dfs(x, y, collected_gold):
        nonlocal max_gold
        if x < 0 or x >= rows or y < 0 or y >= cols or grid[x][y] == 0:
            max_gold = max(max_gold, collected_gold)
            return
        
        # Collect gold
        current_gold = grid[x][y]
        grid[x][y] = 0  # Mark as visited
        collected_gold += current_gold
        
        # Explore all four directions
        dfs(x + 1, y, collected_gold)
        dfs(x - 1, y, collected_gold)
        dfs(x, y + 1, collected_gold)
        dfs(x, y - 1, collected_gold)
        
        # Backtrack
        grid[x][y] = current_gold  # Unmark
        
    for i in range(rows):
        for j in range(cols):
            if grid[i][j] != 0:
                dfs(i, j, 0)
    
    return max_gold
← Back to All Questions