Find the contiguous subarray within an array (containing at least one number) which has the largest product.
For example, given the array [2,3,-2,4]
,
the contiguous subarray [2,3]
has the largest product = 6
.
Note that, we need to consider two cases:
(1) negative numbers
Store the minimum product to handle the case that new element < 0. Because if current element < 0, the product of two negative numbers (new element, and minimum product before the new element) become positive.
(2) zeros
When meets zero, current max and min product become 0, new search is needed from the next element.
Therefore, we can write down to function to store both + and - products:
max_product = max{A[i]*min_product (when A[i]<0), A[i]*max_product (when A[i]>0), A[i] (when 0 occurs before A[i]) }.
min_product = min{A[i]*min_product, A[i]*max_product, A[i] }.
1 class Solution { 2 public: 3 int maxProduct(vector<int>& nums) { 4 int currentMin = nums[0]; 5 int currentMax = nums[0]; 6 int result = nums[0]; 7 8 for(int i = 1; i < nums.size(); i++){ 9 int tempMax = currentMax; 10 int tempMin = currentMin; 11 currentMax = max(nums[i], max(tempMin * nums[i], tempMax * nums[i])); 12 currentMin = min(nums[i], min(tempMin * nums[i], tempMax * nums[i])); 13 14 result = max(result, currentMax); 15 } 16 return result; 17 } 18 };