折半查找
折半查找又称为二分查找。是一种极为常见的查找算法。由于折半查找的算法限制,采用折半查找的前提条件是查找表中必须是采用顺序存储结构的有序表。
基本思想
在表中取中间的记录作为比较对象,如果中间记录的关键字于给定值也就是目标值相等,则查找成功;如果中间中记录的关键字大于给定值,则在中间记录的左半区继续查找;如果中间记录的关键字小于给定值,则在中间记录的右半区继续查找。通过不断重复上述过程,直到查找成功。若查找的区域无记录,则查找失败。
#include <iostream>
using namespace std;
int BinarySearch(int arr[], int left, int right, int target)//定义折半查找函数
{
int middle = (right + left);//定义中间值
while (left < right)
{
if (arr[middle] < target) {//如果中间值小于查找值
left = middle + 1;//列表右端等于中间索引加一
}
if (arr[middle] > target)//如果中间值大于查找值
{
right = middle - 1;//列表右端等于中间索引减一
}
if (arr[middle] = target)//如果中间值等于查找值
{
return middle;//返回位置索引(下标)
}
}
return -1;
}
int main()
{
int arr[] = { 1,2,3,4,5,6,7 };
int target = 5;//输入目标值
int r = BinarySearch(arr, 0, 6, target);//调用函数
if (r == -1)
{
cout << "没有该数字" << endl;
}
else
{
cout << "该数字位于第" << r << "个位置上" << endl;
}
}
划重点:折半查找的效率通常比顺序查找要高,但是折半查找只适用于采用顺序存储结构的有序表。