二进制搜索功能正确,但返回未定义

问题描述 投票:0回答:1

我有执行此功能的功能binary search

const binarySearch = (array, value) => {
    let min = 0;
    let max = array.length - 1;
    return doBinary(array, min, max, value);
};

/**
* DoBinary
*/

function doBinary(arr, min, max, key) {
    let med = Math.floor((min + max) / 2);
    let diff = max - min;
    if (arr[med] === key) {
          console.log(med) // <====================== med here is correct, but it returns only undefined
          return  med;   // <========================= problem in this line
/*
* Returns only if the Index of the key that I'm searching for, `equals` the middle of the original array
* otherwise, returns undefined,
*/
         }
    else if (diff > 0 && arr[med] < key) {
        min = med + 1;
        doBinary(arr, min, max, key);
    }
    else if (diff > 0 && arr[med] > key) {
        max = med - 1;
        doBinary(arr, min, max, key);

    }
    else return -1;

// return med;

}

仅当我要搜索的键的索引equals原始数组的中间位置时,此函数才返回。否则,返回未定义。

示例:

A = [1,2,3,4,5];
binarySearch(A, 1) //undifined
binarySearch(A, 2) //undifined
binarySearch(A, 3) //2
binarySearch(A, 4) //undifined
binarySearch(A, 5) //undifined
javascript algorithm binary-search
1个回答
0
投票

[请参阅更新的代码,使用递归函数时,您需要返回doBinary响应。

function doBinary(arr, min, max, key) {
  let med = Math.floor((min + max) / 2);
  let diff = max - min;
  if (arr[med] === key) {
    console.log(med) // <====================== med here is correct, but it returns only undefined
    return med;   // <========================= problem in this line
    /*
    * Returns only if the Index of the key that I'm searching for, `equals` the middle of the original array
    * otherwise, returns undefined,
    */
  }
  else if (diff > 0 && arr[med] < key) {
    min = med + 1;
    return doBinary(arr, min, max, key);
  }
  else if (diff > 0 && arr[med] > key) {
    max = med - 1;
    return doBinary(arr, min, max, key);

  }
  else return -1;

  // return med;

}
© www.soinside.com 2019 - 2024. All rights reserved.