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

Minimum Falling Path Sum II

Difficulty: Hard


Problem Description

Given an n x n integer matrix grid, return the minimum sum of a falling path with non-zero shifts. A falling path with non-zero shifts is a choice of exactly one element from each row of grid such that no two elements chosen in adjacent rows are in the same column.


Key Insights

  • Each element in the falling path must be chosen from a different row.
  • No two elements can be from the same column in adjacent rows.
  • The problem can be solved using dynamic programming to keep track of the minimum sums while considering the constraints.

Space and Time Complexity

Time Complexity: O(n^2)
Space Complexity: O(n)


Solution

The solution uses a dynamic programming approach. We will maintain a 1D array to keep track of the minimum costs for each row while ensuring that no two elements from adjacent rows are selected from the same column. For each row, we find the two smallest values from the previous row that are not in the same column, and use them to compute the minimum falling path sum for the current row.


Code Solutions

def minFallingPathSum(grid):
    n = len(grid)
    prev_row = grid[0]
    
    for i in range(1, n):
        curr_row = [0] * n
        # Find the two smallest values and their indices in the previous row
        first_min = second_min = float('inf')
        first_index = second_index = -1
        
        for j in range(n):
            if prev_row[j] < first_min:
                second_min = first_min
                second_index = first_index
                first_min = prev_row[j]
                first_index = j
            elif prev_row[j] < second_min:
                second_min = prev_row[j]
                second_index = j
        
        for j in range(n):
            if j == first_index:
                curr_row[j] = grid[i][j] + second_min
            else:
                curr_row[j] = grid[i][j] + first_min
                
        prev_row = curr_row
        
    return min(prev_row)
← Back to All Questions