二分查找(Binary Search)是一种在有序数组中查找目标元素的有效算法。它通过反复将有序数组分成两半,然后确定目标元素在哪一半中,从而快速缩小搜索范围。
以下是一个简单的 JavaScript 实现二分查找的函数:
function binarySearch(arr, target) {
let left = 0;
let right = arr.length - 1;
while (left <= right) {
const mid = Math.floor((left + right) / 2);
if (arr[mid] === target) {
return mid; // 目标元素找到,返回索引
} else if (arr[mid] < target) {
left = mid + 1; // 目标元素在右半部分
} else {
right = mid - 1; // 目标元素在左半部分
}
}
return -1; // 目标元素不存在,返回 -1
}
// 示例
const sortedArray = [1, 2, 3, 4, 5, 6, 7, 8, 9];
const targetElement = 6;
const result = binarySearch(sortedArray, targetElement);
if (result !== -1) {
console.log(`元素 ${
targetElement} 在数组中的索引为 ${
result}`);
} else {
console.log(`元素 ${
targetElement} 不在数组中`);
}
在这个实现中,binarySearch
函数接受一个有序数组 arr
和目标元素 target
作为参数。它使用 left
和 right
两个指针来确定搜索范围,然后在循环中计算中间索引 mid
。如果 arr[mid]
等于 target
,则找到目标元素并返回索引;如果 arr[mid]
小于 target
,则将搜索范围缩小到右半部分;如果 arr[mid]
大于 target
,则将搜索范围缩小到左半部分。循环继续,直到找到目标元素或搜索范围为空,最终返回 -1 表示目标元素不存在。