我正在研究合并排序并用javascript实现它,但它返回了一个错误:
函数mergesort(input){
RangeError:最大调用堆栈大小超过
这是我的代码:
var array = [2,4,6,7,1,3,5,10,9,8];
// using merge sort: (best sort => O (n log n))
function mergeSort (array) {
var array1 = [];
var array2 = [];
for (let i = 0; i < array.length/2; i++) {
array1.push(array[i]);
}
for (let i = array.length/2; i < array.length; i++) {
array2.push(array[i]);
}
array1 = mergeSort(array1);
array2 = mergeSort(array2);
return merge(array1, array2);
}
function merge(a, b) {
let c = [];
while(a.length > 0 && b.length > 0) {
if (a[0] > b[0]) {
c.push(b[0]);
b.splice(0, 1);
} else {
c.push(a[0]);
a.splice(0, 1);
}
}
while (a.length > 0) {
c.push(a[0]);
a.splice(0, 1);
}
while (b.length > 0) {
c.push(b[0]);
b.splice(0, 1);
}
return c;
}
console.log(mergeSort(array));
我想错误在
mergeSort
函数中。我用递归实现它。 最佳答案
这个特殊的原因与mergeSort
函数中的无限递归有关你叫它越来越深没有任何条件停止。因此,应该像这样重新编写mergeSort
:
function mergeSort(input) {
// Here is your recursion stop condition
if (input.length === 1) return input;
const median = Math.floor(input.length / 2);
// Limit arrays should get sliced with each iteration
const limitA = input.slice(0, median);
const limitB = input.slice(median);
return merge(
mergeSort(limitA), mergeSort(limitB)
);
};
关于javascript - 合并排序中超出了最大调用堆栈大小,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46973257/