Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Loading...
Written by Array Alchemist
LeetCode wizard with 75 conquered challenges under my belt.
Turning algorithm nightmares into "Aha!" moments, one explanation at a time.
Join me to level up your coding skills – from interviews to real-world application!
#6 Maximum Product Subarray
Blind 75. Array.
Given an integer array
nums
, find a subarray that has the largest product, and return the product.The test cases are generated so that the answer will fit in a 32-bit integer.Example 1:
As usual before we dive into to solve the problem let's understand some real world application of this technique.
Real world use:
Now let's disucss how we can solve it?
Patterns we can identify from the question:
thus we want click the idea of implementing Kodane's algorithm.
Here the problem we can identify is when a big positive number is multiplied by a negative number max result no longer is the result. Meaning, we cannot handle a negative number with this piece of code.
for example:
0 1 2
[-2, 3, -4]
cp = currentProduct, mP = maxProduct
cP = -2 i.e nums[0]
mP = -2 .e nums[0]
cp = Math.max(3, 3 * -2) = 3
mp = Math.max (-2, 3) = 3
cp = Math.max(-4 , -4 * 4) = -4
mp = Math.max(3, -4) =3
so now let's see how we can handle this situation of -ve number.
Positive numbers behavior:
Negative numbers introduce complexity:
Let's see how we can tackle this:
How about having min and max at a point: Why we need both max and min?
Let's look at an example: [-2, 3, -4]
Step 1: num = -2
maxProduct = -2
minProduct = -2
Step 2: num = 3
tempMax = max(3, -2 * 3) = 3
tempMin = min(3, -2 * 3) = -6
maxProduct = 3
minProduct = -6
Step 3: num = -4
tempMax = max(-4, 3 * -4, -6 * -4) = 24 // The min from previous step gives max here
tempMin = min(-4, 3 * -4, -6 * -4) = -12
maxProduct = 24
minProduct = -12
In this example,
By keeping track of both the maximum and minimum products at each step, we ensure that:
This approach allows us to handle any combination of positive and negative numbers, ensuring we find the true maximum product subarray.
Now refactoring our original kodane's algorithm:
This is how we can solve this problem.