引用百度百科:
二分查找又称折半查找,优点是比较次数少,查找速度快,平均性能好;其缺点是要求待查表为有序表,且插入删除困难。因此,折半查找方法适用于不经常变动而查找频繁的有序列表。首先,假设表中元素是按升序排列,将表中间位置记录的关键字与查找关键字比较,如果两者相等,则查找成功;否则利用中间位置记录将表分成前、后两个子表,如果中间位置记录的关键字大于查找关键字,则进一步查找前一子表,否则进一步查找后一子表。重复以上过程,直到找到满足条件的记录,使查找成功,或直到子表不存在为止,此时查找不成功。
代码:
#include <iostream>
using namespace std;
int bianrySearch(int a[], int nLength, int val)
{
int start = 0;
int end = nLength - 1;
int index = -1;
while(start<=end)
{
index = (start+ end)/2;
if(a[index] == val)
{
return index;
}
else if(a[index] < val)
{
start = index + 1;
}
else
{
end = index -1;
}
}
}
int main()
{
int a[] = {0,1,2,3,4,5};
for(int i = 0; i < 6; i++)
{
cout<<a[i]<<"";
}
int k =bianrySearch(a,sizeof(a)/sizeof(int),5);
cout<<"5在的位置为:";
cout<<k<<endl;
return 0;
}
\