其他分享
首页 > 其他分享> > 5.连续子数组的最大和

5.连续子数组的最大和

作者:互联网

输入一个整型数组,数组中的一个或连续多个整数组成一个子数组。求所有子数组的和的最大值。

要求时间复杂度为O(n)。(这应该是这道题的重难点吧,原本已经打算暴力了,结果原地被劝退。。。)

输入: nums = [-2,1,-3,4,-1,2,1,-5,4]
输出: 6
解释: 连续子数组 [4,-1,2,1] 的和最大,为 6。

实现代码

class Solution {
    public int maxSubArray(int[] nums) {
        int pre = 0, maxAns = nums[0];
        for (int x : nums) {
            pre = Math.max(pre + x, x);
            maxAns = Math.max(maxAns, pre);
        }
        return maxAns;
    }
}


确实没有想到代码量会如此的小!
此题解法是动态规划(Dynamic Programming,DP),上学期算法老师总提,但是还是没学过不会。
动态规划百度百科定义
下面是动态规划解法解析
在这里插入图片描述

标签:pre,最大,nums,int,maxAns,连续,数组,Math
来源: https://blog.csdn.net/weixin_44564247/article/details/118853445