zoukankan      html  css  js  c++  java
  • 0152. Maximum Product Subarray (M)

    Maximum Product Subarray (M)

    题目

    Given an integer array nums, find the contiguous subarray within an array (containing at least one number) which has the largest product.

    Example 1:

    Input: [2,3,-2,4]
    Output: 6
    Explanation: [2,3] has the largest product 6.
    

    Example 2:

    Input: [-2,0,-1]
    Output: 0
    Explanation: The result cannot be 2, because [-2,-1] is not a subarray.
    

    题意

    在给定数组中找到一个子数组,使其积最大。

    思路

    动态规划。sm[i]表示以nums[i]为结尾的子数组能得到的最小乘积,lg[i]表示以nums[i]为结尾的子数组能得到的最大乘积。可以得到递推式:

    [sm[i]=min(nums[i], nums[i]*sm[i-1], nums[i]*lg[i-1])\ lg[i]=max(nums[i], nums[i]*sm[i-1], nums[i]*lg[i-1]) ]


    代码实现

    Java

    class Solution {
        public int maxProduct(int[] nums) {
            int ans = nums[0];
            int[] sm = new int[nums.length];
            int[] lg = new int[nums.length];
            sm[0] = nums[0];
            lg[0] = nums[0];
            for (int i = 1; i < nums.length; i++) {
                sm[i] = Math.min(nums[i], Math.min(nums[i] * sm[i - 1], nums[i] * lg[i - 1]));
                lg[i] = Math.max(nums[i], Math.max(nums[i] * sm[i - 1], nums[i] * lg[i - 1]));
                ans = Math.max(ans, lg[i]);
            }
            return ans;
        }
    }
    
  • 相关阅读:
    【CLR Via C#】2 程序集
    值类型与引用类型
    .Net Framework简介
    【CLR Via C#】15 枚举类型与位类型
    Dictionary的用法及用途
    枚举
    GitExtensions使用教程
    Bootstrap如何禁止响应式布局
    【StyleCop】StyleCop规则汇总
    优化SQL查询:如何写出高性能SQL语句
  • 原文地址:https://www.cnblogs.com/mapoos/p/13655958.html
Copyright © 2011-2022 走看看