Maximum Product Subarray
原题:Find the contiguous subarray within an array (containing atleast 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
.
题目大意:找出最大连续子序列乘积,该乘积至少包含一个数。
如果这个序列里全是正数和负数而没有零的话,那就比较好处理了, 先计算负数的个数,如果偶数个,那最大乘积就是整个序列的乘积。如果有奇数个负数,就那要扔掉其中一个及其连带的部分序列,具体扔法就是,从序列的开头往后数,直到第一个负数出现,这部分扔掉后,剩下的部分肯定只含偶数个负数;或者从序列的最后往前数,直到出现的第一个负数为止这部分扔掉,剩下的部分肯定也只含偶数个负数,计算这两个剩下的部分,其中较大的就是整个序列的最大连续子序列乘积。
例如序列 {3,7,-2,6,7,5,-8,4,-1,9},因为是奇数个负数,所以结果就是子序列{6,7,5,-8,4,-1,9}和{3,7,-2,6,7,5,-8,4}的乘积较大者。
若原序列中存在零,以零为分界点,把原序列分成不含零在内的多个子序列,按照上面所述的方法计算每个子序列的最大连续子序列乘积,则最终结果一定出现在这多个子序列计算出来的结果,以及零之间,因为包含零在内的序列连续乘积肯定为零。例如序列{3,7,-2,6,0,7,5,-8,4,0,-1,9},分解成{3,7,-2,6}、{7,5,-8,4}、{-1,9}以及0.
最终的比较结果,不要忘了还要跟零做比较(如果序列里面有零的话),因为序列如果是-1,0,-1,0,-1,0,-1这样的话,每个子序列的乘积都是负数,其中最大的还是负数,所以还有零这个比较对象。
时间复杂度为O(n),整个程序从头至尾只扫过两遍,也就是2n,所以结果还是O(n),空间复杂度O(1)
public classSolution { // maxProductHelper计算不含零的序列的最大连续子序列乘积 public int maxProductHelper(int[] A, intstart, int end) { if (start == end) return A[start]; int negNum = 0; int product = 1; for (int i = start; i <= end; i++) { product *= A[i]; if (A[i] < 0) { negNum += 1; } } if (negNum % 2 == 1) { int temp1 = 1; int temp2 = 1; for (int i = start; ; i++) { temp1 *= A[i]; if (A[i] < 0) break; } for (int i = end; ; i--) { temp2 *= A[i]; if (A[i] < 0) break; } product /= (temp1 < temp2 ?temp2 : temp1); } return product; } public int maxProduct(int[] A) { int maxProduct = Integer.MIN_VALUE; int start = 0; for (int i = 0; i < A.length; i++){ if (A[i] == 0) { maxProduct = Math.max(0,maxProduct); if (i - 1 >= 0) maxProduct =Math.max(maxProduct, maxProductHelper(A, start, i - 1)); while (i < A.length - 1&& A[i] == 0 && A[i + 1] == 0) { i++; } start = i + 1; } else if (i == A.length - 1) { maxProduct =Math.max(maxProduct, maxProductHelper(A, start, i)); } } return maxProduct; } }上面的代码是可以通过了,不过写的太残破了,实在难以入眼,不过暂时也懒得优化了。
附下个人github地址:
https://github.com/mitcc/AlgoSolutions/blob/master/leetcode/MaximumProductSubarray.java