这道题我的翻译是最大区间和,意思也就是在给定的整个范围(数组)内找一个区间,整个区间内的和,是最大的。注意要求整个区间是连续的
而这道题呢,解题方式很原始,基本的动态规划。
dp[i]=max{num[i],dp[i-1]+num[i]}
其实呢,dp数组都不必使用,直接存一下前面的和就可以了(因为要求连续),只要前面的和大于0,当前额值就累计上去,不然就另起一个。
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.
public class Solution {
/**
*
* 基本的动态规划的题
* */
public int maxSubArray(int[] nums) {
if(nums.length==0)
return 0;
int[] dp=new int[nums.length];
dp[0]=nums[0];
int max=dp[0];
for(int i=1;i1]+nums[i],nums[i]);
max=Math.max(dp[i],max);
}
return max;
}
}