• Maximum product subarray


    Find the contiguous subarray within an array (containing at least one number) which has the largest product.

    For example, given the array [2,3,-2,4],
    the contiguous subarray [2,3] has the largest product = 6.

    Note that, we need to consider two cases:
    (1) negative numbers
              Store the minimum product to handle the case that new element < 0. Because if current element < 0, the product of two negative numbers (new element, and minimum product before the new element) become positive.
    (2) zeros
            When meets zero, current max and min product become 0, new search is needed from the next element.

    Therefore,  we can write down to function to store both + and - products:

    max_product = max{A[i]*min_product (when A[i]<0),  A[i]*max_product (when A[i]>0),  A[i] (when 0 occurs before A[i]) }.

    min_product = min{A[i]*min_product,  A[i]*max_product,  A[i] }.

     
    Because current sequence might start from any element, to get the final result, we also need to store the max product after each iteration "res = max(res, maxp);".
     
     1 class Solution {
     2 public:
     3     int maxProduct(vector<int>& nums) {
     4         int currentMin = nums[0];
     5         int currentMax = nums[0];
     6         int result = nums[0];
     7         
     8         for(int i = 1; i < nums.size(); i++){
     9             int tempMax = currentMax;
    10             int tempMin = currentMin;
    11             currentMax = max(nums[i], max(tempMin * nums[i], tempMax * nums[i]));
    12             currentMin = min(nums[i], min(tempMin * nums[i], tempMax * nums[i]));
    13             
    14             result = max(result, currentMax);
    15         }
    16         return result;
    17     }
    18 };
  • 相关阅读:
    【Hibernate框架】对象的三种持久化状态
    【Mybatis架构】Mapper映射文件中的#{}与${}
    【Mybatis架构】 延迟加载
    IDEA快捷键+使用小技巧
    Aop_AspectJ实现
    Aop_实践篇之过滤器
    Aop_思想篇
    超简单的Springboot中的日志管理配置
    SpringMVC+MYBatis企业应用实战笔记
    Spring学习
  • 原文地址:https://www.cnblogs.com/amazingzoe/p/4851720.html
Copyright © 2020-2023  润新知