【leetcode】152 乘积最大子序列(数组,动态规划)

题目链接:https://leetcode-cn.com/problems/maximum-product-subarray/

题目描述

给定一个整数数组 nums ,找出一个序列中乘积最大的连续子序列(该序列至少包含一个数)。

示例 1:

输入: [2,3,-2,4]
输出: 6
解释: 子数组 [2,3] 有最大乘积 6。

示例 2:

输入: [-2,0,-1]
输出: 0
解释: 结果不能为 2, 因为 [-2,-1] 不是子数组。

思路

class Solution {
public:
    int maxProduct(vector<int>& nums) {
        if(nums.empty())
            return 0;
        int maxEnd = 0; 
        int minEnd = 0; 
        int maxVal = nums[0];   // 以当前元素结尾的最大累乘积
        int minVal = nums[0];   // 以当前元素结尾的最小累乘积
        int ret = nums[0];
        for (int i = 1; i < nums.size(); ++i){
            maxEnd = maxVal * nums[i];
            minEnd = minVal * nums[i];
            maxVal = max(max(maxEnd, minEnd), nums[i]);
            minVal = min(min(maxEnd, minEnd), nums[i]);
            ret = max(maxVal, ret);
        }
        return ret;
    }
};

【leetcode】152 乘积最大子序列(数组,动态规划)_第1张图片

你可能感兴趣的:(LeetCode)