如何在 JavaScript 中实现二分查找

How to implement binary search in JavaScript

https://www.khanacademy.org/computing/computer-science/algorithms/binary-search/p/challenge-binary-search

我正在按照伪代码在 link 上实现算法,但不知道我的代码有什么问题。

这是我的代码:

/* Returns either the index of the location in the array,
  or -1 if the array did not contain the targetValue */

    var doSearch = function(array, targetValue) {
    var min = 0;
    var max = array.length - 1;
    var guess;

    while(min < max) {
        guess = (max + min) / 2;

        if (array[guess] === targetValue) {
            return guess;
        }
        else if (array[guess] < targetValue) {
            min = guess + 1;
        }
        else {
            max = guess - 1;
        }

    }

    return -1;
};

var primes = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 
        41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97];

var result = doSearch(primes, 2);
println("Found prime at index " + result);

//Program.assertEqual(doSearch(primes, 73), 20);

在你的代码中,当 min 等于 max 时循环结束。但在这种情况下,您没有检查是否 array[min] == targetValue

因此,将代码更改为此很可能会解决您的问题

/* Returns either the index of the location in the array,
  or -1 if the array did not contain the targetValue */

    var doSearch = function(array, targetValue) {
    var min = 0;
    var max = array.length - 1;
    var guess;

    while(min <= max) {
        guess = Math.floor((max + min) / 2);

        if (array[guess] === targetValue) {
            return guess;
        }
        else if (array[guess] < targetValue) {
            min = guess + 1;
        }
        else {
            max = guess - 1;
        }

    }

    return -1;
};

JSFiddle Link: http://jsfiddle.net/7zfph6ks/

希望对您有所帮助。

PS: 代码中唯一的变化是这一行:while (min <= max)

要从数组中获取值,您需要指定一个整数,例如 array[1]array[1.25] 将 return undefined 你的情况。

为了让它工作,我只是在你的循环中添加了 Math.floor 以确保我们得到一个整数。

编辑:正如@KarelG 指出的那样,您还需要在 while 循环中添加 <=。这是针对 minmax 变得相同的情况,在这种情况下 guess === max === min。如果没有 <=,循环将不会 运行 在这些情况下,函数将 return -1.

function (array, targetValue) {
    var min = 0;
    var max = array.length - 1;
    var guess;

    while(min <= max) {
        guess = Math.floor((max + min) / 2);

        if (array[guess] === targetValue) {
            return guess;
        }
        else if (array[guess] < targetValue) {
            min = guess + 1;
        }
        else {
            max = guess - 1;
        }

    }

    return -1;
}

您可以使用 Math.floorMath.ceilMath.round

我希望这是一个小小的帮助,我不是很擅长解释,但我会尽我所能详细说明。

如果有人仍在寻找答案,您需要做到这一点(最大值 >= 最小值)

while (max >= min) {
 guess = Math.floor((max + min) / 2);
 if (array[guess] === targetValue) {
     return guess;
 }
 else if (array[guess] < targetValue) {
     min = guess + 1;
 }
else {
    max = guess - 1;
    }
}
return -1;

您只需取消注释 Program.assertEqual 像这样:

Program.assertEqual(doSearch(primes, 73), 20);

不是这样的:

//Program.assertEqual(doSearch(primes, 73), 20);