给定一个整数数组 nums ,找出一个序列中乘积最大的连续子序列(该序列至少包含一个数)。
示例 1:
输入: [2,3,-2,4]
输出: 6
解释: 子数组 [2,3] 有最大乘积 6。
示例 2:
输入: [-2,0,-1]
输出: 0
解释: 结果不能为 2, 因为 [-2,-1] 不是子数组
解法分析
用数组max[i]和min[i]分别记录前i个字符时的最大值和最小值,用result和max[i]进行比较,result = Math.max(result,max[i]);
class Solution {
public int maxProduct(int[] nums) {
if(nums.length == 1)
return nums[0];
int len = nums.length;
int result = nums[0];
int[] max = new int[len];
int[] min = new int[len];
min[0] = nums[0];max[0] = nums[0];
for(int i = 1; i < len; ++i){
if(nums[i] >= 0){
max[i] = Math.max(max[i - 1] * nums[i],nums[i]);
min[i] = Math.min(min[i - 1] * nums[i],nums[i]);
}else{
max[i] = Math.max(min[i - 1] * nums[i],nums[i]);
min[i] = Math.min(max[i - 1] * nums[i],nums[i]);
}
result = Math.max(result,max[i]);
}
return result;
}
}