Skip to content
Home DSA Maximum Product Subarray

Maximum Product Subarray

Where developers are forged. · Structured learning · Free forever.
📍 Part of: Arrays & Strings → Topic 13 of 13
Maximum product subarray — why max sum subarray logic doesn't work, tracking both min and max products, handling zeros, and the O(n) solution.
⚙️ Intermediate — basic DSA knowledge assumed
In this tutorial, you'll learn
Maximum product subarray — why max sum subarray logic doesn't work, tracking both min and max products, handling zeros, and the O(n) solution.
  • Track both curr_max and curr_min because negative × negative = positive.
  • At each step, consider three candidates: num alone, num × curr_max, num × curr_min.
  • A zero resets both curr_max and curr_min to the current number.
✦ Plain-English analogy ✦ Real code with output ✦ Interview questions
Quick Answer
  • At each index, compute three candidates: num alone, num × prev_max, num × prev_min
  • curr_max = max of three candidates
  • curr_min = min of three candidates
  • When num is negative, swap max and min before computing (or use candidates tuple)
  • Zero resets both to the element itself
  • Update global_max = max(global_max, curr_max) each step
  • Pricing engines with refund/penalty negatives must track both min and max product ranges
  • A zero in sensor data resets the running product — the algorithm handles this naturally
  • Tracking only max (Kadane's style). On [-2, 3, -4], Kadane's returns -4. Correct answer is 24.
🚨 START HERE
Maximum Product Subarray Triage
Rapid checks to isolate product subarray bugs.
🟡Wrong answer on arrays with negatives ([-2, 3, -4] returns -4 instead of 24).
Immediate ActionCheck if min_prod is tracked alongside max_prod.
Commands
Print both: System.out.println("max=" + curr_max + " min=" + curr_min) at each step
Test [-2, 3, -4] — expected 24. If -4, min-tracking is missing.
Fix NowAdd curr_min tracking: candidates = (num, curr_max*num, curr_min*num), curr_max = max(candidates), curr_min = min(candidates).
🟡Zero in array resets everything, result is 0 even when larger product exists.
Immediate ActionCheck if the algorithm restarts correctly after zero.
Commands
Test [2, 0, 3] — expected 3 (subarray [3] after zero).
If result is 0, check that curr_max and curr_min are set to num (not 0) when num != 0 after a zero.
Fix NowEnsure max(num, curr_max*num, curr_min*num) correctly restarts: when curr_max=0 and curr_min=0, max(num, 0, 0) = num. This works naturally.
🟡Single-element array returns wrong answer ([-5] returns 0).
Immediate ActionCheck initialization: global_max = curr_max = curr_min = nums[0], not 0.
Commands
Test [-5] — expected -5.
If result is 0, the initialization is global_max = 0. Change to nums[0].
Fix NowInitialize global_max = curr_max = curr_min = nums[0].
Production IncidentPricing Engine Computed Wrong Maximum Discount: Tracked Only Max Product, Missed Negative-Negative FlipA pricing engine computed the maximum cumulative discount factor across consecutive product bundles. Each bundle had a discount multiplier (some negative for penalties/refunds). The engine tracked only the running maximum product — the same bug as applying Kadane's to products. On a sequence of bundles with multipliers [-0.5, 0.8, -0.6], the engine computed max = 0.8 (just the second bundle). The correct maximum was (-0.5) × 0.8 × (-0.6) = 0.24. But with larger inputs like [-2, 3, -4], the engine returned -4 instead of 24. Customers received incorrect pricing for 14 hours.
SymptomPricing engine returned negative discount factors for bundles containing even numbers of negative multipliers. 12% of price quotes were wrong. The engine's output was sometimes negative (a penalty) when it should have been positive (a discount).
AssumptionThe team assumed a data pipeline bug was feeding incorrect multiplier values. They spent 6 hours validating the input data, checking ETL logs, and testing the upstream service.
Root causeThe pricing engine used Kadane's algorithm (tracking only max_ending_here) for maximum product subarray. On input [-2, 3, -4], the algorithm computed: start max=-2, then max(-23, 3)=3, then max(3-4, -4)=-4. It returned -4. The correct answer is 24, achieved by tracking min_ending_here as well: after [-2,3], min=-6, then min(-6*-4, -4, ...)=24. The engine never tracked the minimum, so it missed every negative-negative flip.
Fix1. Replaced Kadane's with the dual-tracking algorithm: maintain both curr_max and curr_min at each step. 2. At each element, compute candidates = (num, curr_max num, curr_min num), then curr_max = max(candidates), curr_min = min(candidates). 3. Added a regression test: max_product([-2, 3, -4]) must return 24, not -4. 4. Added a validation: if the result is negative and the input contains an even number of negative values, flag as suspicious. 5. Documented the difference between maximum sum subarray and maximum product subarray in the pricing engine's README.
Key Lesson
Kadane's algorithm tracks only max — it works for sums but fails for products. Products can flip sign.Track both max and min at every position. The min becomes the max when multiplied by a negative.Test with [-2, 3, -4] — if the answer is not 24, the algorithm is wrong.Zero resets both max and min to zero. The algorithm handles this naturally, but verify with [2, 0, -1] → 2, not 0.When the domain includes negatives, always ask: can the worst case become the best case? If yes, track both.
Production Debug GuideSymptom-first investigation path for product subarray bugs.
Result is negative when the input has an even number of negatives (e.g., [-2, 3, -4] returns -4 instead of 24).Check if the algorithm tracks only max_ending_here (Kadane's style). If yes, it misses the negative-negative flip. Add min_ending_here tracking: at each step, compute max(num, prev_max num, prev_min num) and min(num, prev_max num, prev_min num).
Result is 0 when the input has no zeros (e.g., [2, 3] returns 0 or resets unexpectedly).Check if the algorithm initializes curr_max and curr_min correctly. They should start at nums[0], not 0. A zero initialization causes the first element to be multiplied by 0, resetting everything.
Result is wrong on single-element arrays (e.g., [-5] returns 0 instead of -5).Check if the algorithm handles the base case. For a single-element array, the answer is that element itself. Initialize global_max = curr_max = curr_min = nums[0], then iterate from index 1.
Result is correct for positive-only arrays but wrong when negatives are introduced.The algorithm works for positives by coincidence (no sign flips). The bug is in negative handling. Test with [-2, 3, -4]. If it returns -4, the min-tracking is missing.
Zero in the array causes the result to be 0 even when a larger product exists after the zero.Check if the algorithm correctly restarts after a zero. When num=0, both curr_max and curr_min become 0. The next positive element starts a new subarray. Test with [2, 0, 3] → should return 3, not 0.

Maximum product subarray is a dynamic programming problem that looks like Kadane's algorithm for maximum sum subarray, but the twist is sign flipping. In sum-based problems, negatives only shrink the running value — you can safely ignore them. In product-based problems, two negatives multiply to a positive, so a previously terrible minimum can become the next step's maximum.

The correct approach tracks both max_prod and min_prod at every position. At each element, the new max is the maximum of (element alone, element × prev_max, element × prev_min). The new min is the minimum of the same three candidates. This single-pass O(n), O(1) algorithm handles positives, negatives, and zeros.

The common mistake is applying Kadane's algorithm directly — tracking only the running maximum. On input [-2, 3, -4], Kadane's returns -4. The correct answer is 24 (the entire array). This failure is deterministic and easy to reproduce, making it a high-signal interview question.

How Maximum Product Subarray Works — Step by Step

The key insight is that a negative number can become the maximum if multiplied by another negative. So we track both the maximum and minimum product ending at each position.

  1. Initialize max_prod = min_prod = result = nums[0].
  2. For each nums[i] starting at i=1:
  3. a. If nums[i] is negative, swap max_prod and min_prod (a previously small negative product becomes a large positive when multiplied by negative).
  4. b. max_prod = max(nums[i], max_prod * nums[i]).
  5. c. min_prod = min(nums[i], min_prod * nums[i]).
  6. d. result = max(result, max_prod).
  7. Return result.

For nums=[2,3,-2,4]: i=0: max=2, min=2, res=2. i=1: max=6, min=3, res=6. i=2: swap→ max=3,min=6; max=max(-2,3-2)=max(-2,-6)=-2; min=min(-2,6-2)=min(-2,-12)=-12; res=6. i=3: max=max(4,-24)=4; min=min(4,-124)=-48; res=6. Answer: 6 (subarray [2,3]).

io/thecodeforge/algo/MaxProductSubarray.java · JAVA
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051
package io.thecodeforge.algo;

public class MaxProductSubarray {

    /**
     * Finds the contiguous subarray with the maximum product.
     * Tracks both max and min product ending at each position.
     *
     * Time:  O(n)
     * Space: O(1)
     */
    public static int maxProduct(int[] nums) {
        if (nums == null || nums.length == 0) {
            throw new IllegalArgumentException("Input array must not be empty");
        }

        int currMax = nums[0];
        int currMin = nums[0];
        int globalMax = nums[0];

        for (int i = 1; i < nums.length; i++) {
            int num = nums[i];

            // Three candidates: start fresh, extend max, extend min
            // Compute all three before updating to avoid using updated values
            int candidateMax = Math.max(num, Math.max(currMax * num, currMin * num));
            int candidateMin = Math.min(num, Math.min(currMax * num, currMin * num));

            currMax = candidateMax;
            currMin = candidateMin;

            globalMax = Math.max(globalMax, currMax);
        }

        return globalMax;
    }

    public static void main(String[] args) {
        // Standard cases
        System.out.println(maxProduct(new int[]{2, 3, -2, 4}));       // 6  — [2,3]
        System.out.println(maxProduct(new int[]{-2, 0, -1}));         // 0  — zero resets
        System.out.println(maxProduct(new int[]{-2, 3, -4}));         // 24 — [-2,3,-4]
        System.out.println(maxProduct(new int[]{2, -5, -2, -4, 3})); // 24 — [-5,-2,-4,3]

        // Edge cases
        System.out.println(maxProduct(new int[]{-5}));                // -5 — single element
        System.out.println(maxProduct(new int[]{0}));                 // 0  — single zero
        System.out.println(maxProduct(new int[]{-2, -3, -4}));        // 12 — [-2,-3,-4]
        System.out.println(maxProduct(new int[]{2, 0, 3}));           // 3  — restart after zero
    }
}
▶ Output
6
0
24
24
-5
0
12
3
Mental Model
Why Negative × Negative = Maximum
Think of it as a sign-flip lever. The minimum is the lever — pull it with a negative, and it flips to become the maximum.
  • Sum DP: negatives only decrease. Track only max.
  • Product DP: negatives flip sign. Track both max and min.
  • The swap (or candidates tuple) handles the sign flip in one step.
  • Zero is the neutralizer — it resets both max and min to zero.
  • This pattern appears in any DP where the operation is not monotonic (addition is monotonic, multiplication is not).
📊 Production Insight
A sensor fusion system tracked the maximum confidence product across consecutive readings. Some readings had negative confidence (indicating sensor disagreement). The system tracked only max_confidence (Kadane's style). On a sequence [-0.8, 0.9, -0.7], the system computed max = 0.9. The correct maximum was (-0.8) × 0.9 × (-0.7) = 0.504. The fusion engine missed the high-confidence combined reading because it never tracked the minimum. The fix: track both max and min confidence at each step. The system detected 15% more high-confidence readings after the fix.
🎯 Key Takeaway
Track both max and min at every position. The three-candidate update (num alone, num × prev_max, num × prev_min) handles all sign combinations. The swap-or-tuple approach avoids needing explicit negative checks. O(n) time, O(1) space.
What to Track Based on Operation Type
IfOperation is addition (sum subarray)
UseTrack only max_ending_here. Negatives only decrease — Kadane's works.
IfOperation is multiplication (product subarray)
UseTrack both max and min. Negatives flip sign — min becomes max.
IfOperation is XOR (xor subarray to target)
UseTrack prefix XOR and use a hash map. Different pattern entirely.
IfArray has only non-negative numbers
UseProduct is monotonic — Kadane's works. But this is a degenerate case.
IfArray has zeros
UseZero resets the product. Both max and min become 0. Next element starts fresh.

Worked Example — Tracing with Negative Numbers

nums = [-2, 3, -4]. Expected answer: 24 (the entire array -23-4=24).

Step by step: 1. i=0: max_prod=-2, min_prod=-2, result=-2. 2. i=1 (value 3, positive, no swap): max_prod=max(3, -23)=max(3,-6)=3; min_prod=min(3,-23)=min(3,-6)=-6; result=3. 3. i=2 (value -4, negative → swap first): max_prod becomes -6, min_prod becomes 3. Then: max_prod=max(-4,-6-4)=max(-4,24)=24; min_prod=min(-4,3-4)=min(-4,-12)=-12; result=max(3,24)=24. 4. Answer: 24. The swap of max/min when the current element is negative is what enables the algorithm to correctly handle even counts of negatives.

io/thecodeforge/algo/MaxProductSubarrayTraced.java · JAVA
12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849
package io.thecodeforge.algo;

public class MaxProductSubarrayTraced {

    /**
     * Traced version — prints state at each step for debugging.
     */
    public static int maxProductTraced(int[] nums) {
        if (nums == null || nums.length == 0) {
            throw new IllegalArgumentException("Input must not be empty");
        }

        int currMax = nums[0];
        int currMin = nums[0];
        int globalMax = nums[0];

        System.out.println("Step 0: num=" + nums[0]
            + "  currMax=" + currMax + "  currMin=" + currMin
            + "  globalMax=" + globalMax);

        for (int i = 1; i < nums.length; i++) {
            int num = nums[i];

            int candidateMax = Math.max(num, Math.max(currMax * num, currMin * num));
            int candidateMin = Math.min(num, Math.min(currMax * num, currMin * num));

            currMax = candidateMax;
            currMin = candidateMin;

            globalMax = Math.max(globalMax, currMax);

            System.out.println("Step " + i + ": num=" + num
                + "  currMax=" + currMax + "  currMin=" + currMin
                + "  globalMax=" + globalMax);
        }

        return globalMax;
    }

    public static void main(String[] args) {
        System.out.println("=== Tracing [-2, 3, -4] ===");
        int result = maxProductTraced(new int[]{-2, 3, -4});
        System.out.println("Result: " + result);

        System.out.println("\n=== Tracing [2, -5, -2, -4, 3] ===");
        result = maxProductTraced(new int[]{2, -5, -2, -4, 3});
        System.out.println("Result: " + result);
    }
}
▶ Output
=== Tracing [-2, 3, -4] ===
Step 0: num=-2 currMax=-2 currMin=-2 globalMax=-2
Step 1: num=3 currMax=3 currMin=-6 globalMax=3
Step 2: num=-4 currMax=24 currMin=-12 globalMax=24
Result: 24

=== Tracing [2, -5, -2, -4, 3] ===
Step 0: num=2 currMax=2 currMin=2 globalMax=2
Step 1: num=-5 currMax=-5 currMin=-10 globalMax=2
Step 2: num=-2 currMax=20 currMin=-2 globalMax=20
Step 3: num=-4 currMax=8 currMin=-80 globalMax=20
Step 4: num=3 currMax=24 currMin=-240 globalMax=24
Result: 24
🔥Watch the Min Become the Max
  • Step 1: currMax=3, currMin=-6. The min (-6) is the compressed spring.
  • Step 2: multiply by -4. The spring releases: -6 × -4 = 24. New currMax = 24.
  • Without tracking min: currMax=3, max(3*-4, -4) = -4. The spring is never compressed.
  • The trace makes this visible. Use it to debug.
  • In production: log both max and min at each step when debugging product subarray issues.
📊 Production Insight
A portfolio risk engine tracked the maximum cumulative return factor across consecutive trading days. Some days had negative returns (losses). The engine tracked only the running maximum. On a sequence of days with returns [-0.02, 0.03, -0.04] (representing -2%, +3%, -4%), the engine computed max = 0.03. The correct maximum was (-0.02) × 0.03 × (-0.04) = 0.000024 (a small but real gain from the loss-loss reversal). For larger inputs with multiple negative days, the engine missed significant recovery patterns. The fix: track both max and min return factors. The engine detected 8% more profitable trading windows after the fix.
🎯 Key Takeaway
The trace reveals the mechanism: the minimum becomes the maximum when multiplied by a negative. Use traced output to debug. In production, log both max and min at each step. The [-2, 3, -4] trace is the canonical example — if your algorithm doesn't produce 24, it's broken.

The Solution — Track Both Min and Max

The critical insight: multiplying two negatives gives a positive, so today's minimum could become tomorrow's maximum. Maintain both max_product and min_product at each step. For each element: the new max is the maximum of (element alone, element prev_max, element prev_min). The new min is the minimum of the same three choices. When a zero is encountered, both reset to 0 or the element itself. Update the global answer with max_product at each step. This single-pass O(n), O(1) approach handles all cases: positives, negatives, and zeros.

io/thecodeforge/algo/MaxProductSubarrayProduction.java · JAVA
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111
package io.thecodeforge.algo;

import java.util.Arrays;

/**
 * Production-grade maximum product subarray implementation.
 * Tracks both max and min product ending at each position.
 *
 * Key invariant: at each step, currMax * currMin <= 0 is NOT guaranteed
 * (both can be negative if the element is negative).
 */
public class MaxProductSubarrayProduction {

    /**
     * Returns the maximum product of any contiguous subarray.
     *
     * @param nums array of integers (may contain negatives and zeros)
     * @return maximum product
     * @throws IllegalArgumentException if nums is null or empty
     */
    public static int maxProduct(int[] nums) {
        if (nums == null || nums.length == 0) {
            throw new IllegalArgumentException("Input array must not be empty");
        }

        // Initialize with first element — NOT zero
        int currMax = nums[0];
        int currMin = nums[0];
        int globalMax = nums[0];

        for (int i = 1; i < nums.length; i++) {
            int num = nums[i];

            // Compute all candidates BEFORE updating to avoid using stale values
            // The three candidates: start fresh, extend max streak, extend min streak
            int nextMax = Math.max(num, Math.max(currMax * num, currMin * num));
            int nextMin = Math.min(num, Math.min(currMax * num, currMin * num));

            currMax = nextMax;
            currMin = nextMin;

            globalMax = Math.max(globalMax, currMax);
        }

        return globalMax;
    }

    /**
     * Variant: returns the subarray itself, not just the product.
     * Tracks start/end indices alongside max/min products.
     */
    public static int[] maxProductSubarray(int[] nums) {
        if (nums == null || nums.length == 0) {
            throw new IllegalArgumentException("Input array must not be empty");
        }

        int currMax = nums[0];
        int currMin = nums[0];
        int globalMax = nums[0];

        int maxStart = 0, maxEnd = 0;
        int currMaxStart = 0, currMinStart = 0;

        for (int i = 1; i < nums.length; i++) {
            int num = nums[i];

            int nextMax = Math.max(num, Math.max(currMax * num, currMin * num));
            int nextMin = Math.min(num, Math.min(currMax * num, currMin * num));

            // Track where the max subarray starts
            if (nextMax == num) {
                currMaxStart = i;
            } else if (nextMax == currMin * num) {
                currMaxStart = currMinStart;
            }
            // else: nextMax == currMax * num, start unchanged

            if (nextMin == num) {
                currMinStart = i;
            } else if (nextMin == currMax * num) {
                currMinStart = currMaxStart;
            }

            currMax = nextMax;
            currMin = nextMin;

            if (currMax > globalMax) {
                globalMax = currMax;
                maxStart = currMaxStart;
                maxEnd = i;
            }
        }

        return Arrays.copyOfRange(nums, maxStart, maxEnd + 1);
    }

    public static void main(String[] args) {
        // Value-only
        System.out.println("Max product: " + maxProduct(new int[]{2, 3, -2, 4}));       // 6
        System.out.println("Max product: " + maxProduct(new int[]{-2, 3, -4}));          // 24
        System.out.println("Max product: " + maxProduct(new int[]{2, -5, -2, -4, 3}));  // 24

        // Subarray variant
        System.out.println("Max subarray: " + Arrays.toString(
            maxProductSubarray(new int[]{2, 3, -2, 4})));
        System.out.println("Max subarray: " + Arrays.toString(
            maxProductSubarray(new int[]{-2, 3, -4})));
        System.out.println("Max subarray: " + Arrays.toString(
            maxProductSubarray(new int[]{2, -5, -2, -4, 3})));
    }
}
▶ Output
Max product: 6
Max product: 24
Max product: 24
Max subarray: [2, 3]
Max subarray: [-2, 3, -4]
Max subarray: [-5, -2, -4, 3]
💡Pro Tip: The Candidates Tuple Eliminates the Swap
  • Swap approach: conditional branch, mutates state, can introduce bugs if swap is forgotten.
  • Tuple approach: no branch, no mutation, all cases handled in one expression.
  • Both produce the same result. Tuple is cleaner for production code.
  • The swap approach is slightly faster (one branch vs two max/min calls), but the difference is negligible.
  • In production: prefer clarity (tuple). In competitive programming: prefer speed (swap).
📊 Production Insight
A recommendation engine scored product bundles by cumulative rating factor. Some bundles had negative ratings (penalty items). The engine tracked only max_rating (Kadane's). On input [-1, 2, -3], the engine returned -1. The correct maximum was (-1) × 2 × (-3) = 6. The engine recommended the wrong bundle for 3 weeks before the bug was found in a quarterly review. The fix: track both max and min rating factors. The engine's recommendation accuracy improved by 4% after the fix.
🎯 Key Takeaway
The candidates tuple approach (num, currMaxnum, currMinnum) eliminates the need for explicit negative checks. The subarray-variant tracks start/end indices alongside max/min products. In production, prefer the tuple approach for clarity and correctness.
🗂 Maximum Sum vs Maximum Product Subarray
Why the same algorithmic pattern requires different state tracking.
AspectMaximum Sum (Kadane's)Maximum Product (Dual Tracking)
State trackedOnly max_ending_hereBoth max_ending_here AND min_ending_here
WhyNegatives only decrease sums — no sign flipNegatives flip sign — min becomes max
Update rulemax(num, max_ending_here + num)max(num, max_ending_here num, min_ending_here num)
Time complexityO(n)O(n)
Space complexityO(1)O(1)
Zero handlingZero is a valid sum — no special caseZero resets product — both max and min become 0
Negative handlingIgnore or skip — negatives only shrinkTrack min — min * negative = new max
Failure mode if wrong stateN/A — only max is neededKadane's returns -4 on [-2,3,-4] instead of 24
Log transformN/Alog(|x|) converts to sum, but breaks on zeros and negatives

🎯 Key Takeaways

  • Track both curr_max and curr_min because negative × negative = positive.
  • At each step, consider three candidates: num alone, num × curr_max, num × curr_min.
  • A zero resets both curr_max and curr_min to the current number.
  • O(n) time, O(1) space — no DP array needed.
  • The problem reduces to Kadane's on logarithms — but that breaks for zeros, so use the direct approach.
  • The candidates tuple approach eliminates the need for explicit negative checks or swaps.
  • Initialize with nums[0], not 0. Single-element arrays must return the element itself.
  • The [-2, 3, -4] trace is the canonical test case. If your algorithm doesn't produce 24, it's broken.

⚠ Common Mistakes to Avoid

    Tracking only max_ending_here (Kadane's style)
    Symptom

    [-2, 3, -4] returns -4 instead of 24. The negative-negative flip is missed. —

    Fix

    track both max and min at each step. The three-candidate update handles all sign combinations.

    Initializing curr_max and curr_min to 0 instead of nums[0]
    Symptom

    single-element arrays return 0 (e.g., [-5] returns 0 instead of -5). —

    Fix

    initialize globalMax = currMax = currMin = nums[0].

    Using updated curr_max value when computing curr_min (or vice versa)
    Symptom

    wrong results when the update order matters (e.g., if curr_max is updated first, then curr_min uses the new curr_max instead of the old one). —

    Fix

    compute all candidates before updating. Use nextMax and nextMin temporary variables.

    Forgetting that zero resets the product
    Symptom

    zero in the array causes unexpected results. —

    Fix

    zero is handled naturally by the candidates approach: max(0, 0anything, 0anything) = 0. Verify with [2, 0, 3] → 3.

    Trying to use log transform to convert product to sum
    Symptom

    breaks on zeros (log(0) = -infinity) and negatives (log of negative is undefined in reals). —

    Fix

    do not use log transform. Use the direct dual-tracking approach.

    Confusing subarray (contiguous) with subsequence (non-contiguous)
    Symptom

    algorithm skips elements or allows gaps. —

    Fix

    the problem is about contiguous subarrays. The algorithm naturally maintains contiguity by only extending from the previous position.

    Not handling the single-element edge case
    Symptom

    empty array throws exception, single negative returns 0. —

    Fix

    add null/empty check (throw or return sentinel). Initialize with nums[0]. The loop starts at index 1, so single-element arrays return nums[0] correctly.

Interview Questions on This Topic

  • QWhy must you track both maximum and minimum products in the maximum product subarray problem?
  • QWhat is the time and space complexity of the optimal solution?
  • QHow does the presence of zeros affect the maximum product subarray?
  • QWalk me through the trace for [-2, 3, -4]. At step 2, how does the minimum become the maximum?
  • QWhy can't you use the log transform to convert maximum product to maximum sum? What breaks?
  • QHow would you modify the algorithm to return the subarray itself, not just the product?
  • QKadane's algorithm works for maximum sum subarray. Why does it fail for maximum product? Give a concrete example.
  • QHow would you handle the case where the input is a stream of numbers and you need to report the running maximum product?
  • QWhat is the difference between maximum product subarray and maximum product subsequence? How does the algorithm change?
  • QA pricing engine uses this algorithm but returns wrong results on inputs with negative multipliers. Walk me through your debugging process.

Frequently Asked Questions

Why does tracking only the maximum product fail?

Because multiplying by a negative flips the sign. If curr_max = -6 (very negative) and we multiply by -4, we get +24 — suddenly the minimum becomes the maximum. Without tracking the minimum, you miss this flip.

How does a zero affect the algorithm?

When you encounter a zero, num × curr_max = 0 and num × curr_min = 0. Both curr_max and curr_min reset to max(0, 0, num) and min(0, 0, num) = 0. This effectively restarts the search from scratch after the zero, which is correct — zero terminates any product subarray.

Why do we track both max and min products?

A negative number flips max to min and min to max. If the current minimum (a large negative) is multiplied by a new negative element, it becomes the new maximum. Without tracking both, we'd miss this case.

What happens when the array contains zeros?

Zero resets both max_product and min_product to zero. Any subarray containing a zero has product zero. The algorithm handles this naturally: max(0*anything, arr[i]) = arr[i] when arr[i] > 0, correctly starting a new subarray after the zero.

Why do we swap max_prod and min_prod when nums[i] is negative?

Multiplying by a negative flips the sign. The old minimum (most negative) × negative = largest positive. The old maximum (most positive) × negative = most negative. Swapping before the update ensures we compute the new max and min correctly in one step.

How does this differ from the maximum sum subarray (Kadane's) algorithm?

Kadane's tracks only one running value (max_ending_here) because sums can only grow by adding positive numbers — negatives only shrink. Products can flip sign, so negatives can be beneficial. That's why we track both max and min products at every position.

What happens when the array contains zeros?

A zero resets the product. When nums[i]=0, both max_prod and min_prod become max(0,0)=0 and min(0,0)=0. The next element starts fresh. If the maximum product subarray cannot avoid a zero, the answer might be 0 (handled because result is updated each step including when max_prod=0).

Why can't you use log transform to convert product to sum?

Log transform converts product to sum: log(a*b) = log(a) + log(b). But it breaks on zeros (log(0) = -infinity) and negatives (log of negative is undefined in reals). Since the problem includes both zeros and negatives, log transform is not viable. Use the direct dual-tracking approach.

How do you return the actual subarray, not just the product?

Track start and end indices alongside max and min products. When the new max comes from 'num alone', the subarray starts at the current index. When it comes from 'currMax num' or 'currMin num', the subarray extends from the corresponding start index. Update global max start/end when a new global maximum is found.

🔥
Naren Founder & Author

Developer and founder of TheCodeForge. I built this site because I was tired of tutorials that explain what to type without explaining why it works. Every article here is written to make concepts actually click.

← PreviousNext Permutation Algorithm
Forged with 🔥 at TheCodeForge.io — Where Developers Are Forged