Problem Description
You are given a m x n
matrix grid
. Initially, you are located at the top-left corner (0, 0)
, and in each step, you can only move right or down in the matrix. Among all possible paths starting from the top-left corner (0, 0)
and ending in the bottom-right corner (m - 1, n - 1)
, find the path with the maximum non-negative product. The product of a path is the product of all integers in the grid cells visited along the path. Return the maximum non-negative product modulo 10^9 + 7
. If the maximum product is negative, return -1
.
Key Insights
- The product can be affected by both positive and negative integers.
- To maximize the product, we need to consider both the count of negative numbers and the presence of zeroes.
- Dynamic programming can be employed to keep track of both the maximum and minimum products at each cell to handle negative products properly.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(m * n)
Solution
To solve the problem, we will use dynamic programming. We will maintain two 2D arrays: one for tracking the maximum product (maxProduct
) and another for the minimum product (minProduct
) at each cell in the grid.
- Initialize
maxProduct[0][0]
andminProduct[0][0]
with the value ofgrid[0][0]
. - Iterate through each cell in the grid:
- For each cell, calculate the maximum and minimum products that can be obtained by moving from the top or left cell.
- If the current cell is negative, swap the maximum and minimum products because multiplying by a negative number will switch their roles.
- If the current cell is zero, set both maximum and minimum products to zero.
- At the end, check the value in the bottom-right cell. If the maximum product is negative, return -1; otherwise, return the maximum product modulo
10^9 + 7
.