尝试按照以下说明使用Kadane算法:https://www.youtube.com/watch?v=OexQs_cYgAQ&t=721s
在此数字数组上:[-5, 10, 2, -3, 5, 8, -20]
。
答案是10 + 2 – 3 + 5 + 8 = 22
但是,当我运行以下代码时,我得到了:
sumArray = [ 0, 20, 24, 24, 28, 44, 44 ]
不知道24
和更高的数字如何到达那里:(和22
丢失了。
以下代码:
const myArray = [-5, 10, 2, -3, 5, 8, -20];
const findMaxConsecutiveSum = (arr) => {
const sumArray = [];
let max_so_far = 0;
let max_ending_here = 0;
for (let i = 0; i < arr.length; i++) {
max_ending_here = max_ending_here + arr[i];
// console.log('position:', i, arr[i]);
// console.log(max_ending_here = max_ending_here + arr[i]);
// console.log('max_ending_here', max_ending_here);
if (max_ending_here < 0) {
max_ending_here = 0;
}
else if (max_so_far < max_ending_here) {
max_so_far = max_ending_here;
}
// console.log('max_so_far', max_so_far);
sumArray.push(max_so_far);
}
return sumArray;
}
console.log(findMaxConsecutiveSum(myArray));
我的想法是,我只填满sumArray,然后按最大数量过滤它。
但是我没有得到22
而是大量的数字吗?
有什么想法吗?
答案 0 :(得分:2)
您使实现变得比所需复杂得多。在Kadane's algorithm上的帖子中,代码应类似于以下内容:
def max_subarray(A):
max_ending_here = max_so_far = A[0]
for x in A[1:]:
max_ending_here = max(x, max_ending_here + x)
max_so_far = max(max_so_far, max_ending_here)
return max_so_far
此处所述的算法希望返回一个单个数字,而不是一个数组。转换为JS,看起来像:
const myArray = [-5, 10, 2, -3, 5, 8, -20];
const findMaxConsecutiveSum = (arr) => {
let max_so_far = 0;
let max_ending_here = 0;
for (let i = 0; i < arr.length; i++) {
max_ending_here = Math.max(arr[i], max_ending_here + arr[i]);
max_so_far = Math.max(max_so_far, max_ending_here)
}
return max_so_far;
}
console.log(findMaxConsecutiveSum(myArray));
请注意,max_ending_here
的重新分配要求在Math.max
和arr[i]
上调用max_ending_here + arr[i]
。
答案 1 :(得分:1)
据我对Kadane算法的理解(来自这篇Wikipedia的帖子),实现它的方法是这样的:
const myArray = [-5, 10, 2, -3, 5, 8, -20];
console.log(myArray.reduce((t, v) => { t.here = Math.max(v, v + t.here);
t.max = Math.max(t.max, t.here);
return t; },
{ here : 0, max : 0})['max']);