Find the contiguous subarray within an array (containing at least one number) which has the largest product.
For example, given the array
the contiguous subarray
[2,3,-2,4]
,the contiguous subarray
[2,3]
has the largest product = 6
.public class Solution { public int maxProduct(int[] A) { if (A == null || A.length == 0) { return 0; } int max = A[0], min = A[0], result = A[0]; for (int i = 1; i < A.length; i++) { int temp = max; max = Math.max(Math.max(max * A[i], min * A[i]), A[i]); min = Math.min(Math.min(temp * A[i], min * A[i]), A[i]); if (max > result) { result = max; } } return result; } }
=======
public class Solution {
public int maxProduct(int[] nums) {
if (nums == null || nums.length == 0) {
return 0;
}
int min = nums[0];
int max = nums[0];
int res = nums[0];
for (int i = 1; i < nums.length; i++) {
int tmpMin = min;
int tmpMax = max;
int n = nums[i];
if (n > 0) {
min = Math.min(n, tmpMin * n);
max = Math.max(n, tmpMax * n);
} else {
min = Math.min(n, tmpMax * n);
max = Math.max(n, tmpMin * n);
}
// min = Math.min(nums[i], Math.min(tmpMin * nums[i], tmpMax * nums[i]));
// max = Math.max(nums[i], Math.max(tmpMin * nums[i], tmpMax * nums[i]));
res = Math.max(res, max);
}
return res;
}
}
没有评论:
发表评论