这道题之前做过
我的leetcode代码都已经上传到我的githttps://github.com/ragezor/leetcode
题干
给你一个整数数组 nums ,请你找出数组中乘积最大的连续子数组(该子数组中至少包含一个数字),并返回该子数组所对应的乘积。
示例 1:
输入: [2,3,-2,4]
输出: 6
解释: 子数组 [2,3] 有最大乘积 6。
示例 2:
输入: [-2,0,-1]
输出: 0
解释: 结果不能为 2, 因为 [-2,-1] 不是子数组。
想法
如果都是正数的话,直接动态规划保留一个最大值max
max=Math.max(max*现在的数,现在的数)
但是因为有负数,所以需要也动态规划保留最小值
当现在是负数的时候,将最小值✖️现在的数和现在的数大小比较。
看代码
Java代码
package daily;
public class MaxProduct {
public int maxProduct(int[] nums) {
//分别表示到现在这个结尾的最大值最小值
int imax=1,imin=1;
//max表示最大值
int max=Integer.MIN_VALUE;
for (int n:nums
) {
//负数就转换最值
if(n<0){
int tem=imin;
imin=imax;
imax=tem;
}
imax=Math.max(imax*n,n);
imin=Math.min(imin*n,n);
max=Math.max(max,imax);
}
return max;
}
public static void main(String[] args){
MaxProduct maxProduct=new MaxProduct();
int[] nums={2,3,-2,4};
System.out.println(maxProduct.maxProduct(nums));
}
}