最大子序列和

给定一个整数数组 nums ,找到一个具有最大和的连续子数组(子数组最少包含一个元素),返回其最大和。
示例:
输入: [-2,1,-3,4,-1,2,1,-5,4]
输出: 6
解释: 连续子数组 [4,-1,2,1] 的和最大,为 6。

暴力循环

算法的主要思想是求出所有的连续子序列的和,然后取最大值即可。

public static int base(int[] array) {
    int max = 0;
    for (int i = 0; i < array.length; i++) {
        int temp = 0;
        for (int j = i; j < array.length; j++) {
            temp += array[j];
            if (max < temp)
                max = temp;
        }
    }
    return max;
}

动态规划算法

class Solution:
    def maxSubArray(self, nums: List[int]) -> int:
        temp=0
        max=nums[0]
        for i in nums:
            temp=temp+i
            if max<temp:
                max=temp
            if temp<0:
                temp=0

        return max

在这里插入图片描述


版权声明:本文为y114102原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接和本声明。