给定一个整数数组 nums ,找到一个具有最大和的连续子数组(子数组最少包含一个元素),返回其最大和。
示例:
输入: [-2,1,-3,4,-1,2,1,-5,4],
输出: 6
解释: 连续子数组 [4,-1,2,1] 的和最大,为 6。
/**
* @author jiayoo
* 7/26
* 分类: 简单
* https://leetcode-cn.com/problems/maximum-subarray/description/
*
*
*/
public class Demo53 {
public static void main(String[] args) {
Demo53 d53 = new Demo53();
int[] a = {-2,1,-3,4,-1,2,1,-5,4};
System.out.println(d53.maxSubArray(a));
}
/**
* @param nums
* 先考虑O(n) 级算法
* 1. 特殊值 长度为一时 直接返回
* 2.首先应该是判断当前位置要不要更新max值
* 3.先判断当前位,如果当前位小于零 对后续是负增长 则直接从此处断开 进入下一个位置
* 4.如果当前位大于等于零更新后一位的值, 重复2 - 4;
* @return
*/
public int maxSubArray(int[] nums) {
if (nums.length == 1) {
return nums[0];
}
int i;
int max = -Integer.MAX_VALUE;
for (i = 0; i < nums.length ; i++) {
max = Math.max(max, nums[i]);
if (nums[i] < 0) {
continue;
}else {
if(i + 1 < nums.length) {
nums[i+1] += nums[i];
}
}
}
return max;
}
}