【leetcode】53. Maximum Subarray 连续子序列的最大和

1. 题目

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

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

2. 思路

遍历查找每段的最大sum。如果当前段的sum已经小于0,则重新开启一段。
特别注意的是:数组里可能全部是负数,因此,负数的值也是要进入max比较的。sum起点要选择最小值。

3. 代码

class Solution {
public:
    // 遍历找到当前的最大sum点, 当当前sum小于0后,重置
    int maxSubArray(vector<int>& nums) {
        int sum = numeric_limits<int>::min();
        int c_sum = 0;
        for (int i = 0; i < nums.size(); i++) {
            if (c_sum < 0) {
                c_sum = 0;
            }
            c_sum += nums[i];
            if (c_sum > sum) {
                sum = c_sum;
            }
        }
        return sum;
    }
};
    原文作者:knzeus
    原文地址: https://segmentfault.com/a/1190000007356638
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞