TheAlgorithms-C-Plus-Plus/search/Binary Search.cpp

36 lines
654 B
C++
Raw Normal View History

2017-12-24 01:30:49 +08:00
#include <iostream>
using namespace std;
2019-08-21 10:10:08 +08:00
int binary_search(int a[], int l, int r, int key)
{
while (l <= r)
{
int m = l + (r - l) / 2;
if (key == a[m])
2017-12-24 01:30:49 +08:00
return m;
2019-08-21 10:10:08 +08:00
else if (key < a[m])
r = m - 1;
2017-12-24 01:30:49 +08:00
else
2019-08-21 10:10:08 +08:00
l = m + 1;
2017-12-24 01:30:49 +08:00
}
return -1;
}
int main(int argc, char const *argv[])
{
2019-08-21 10:10:08 +08:00
int n, key;
cout << "Enter size of array: ";
cin >> n;
cout << "Enter array elements: ";
2017-12-24 01:30:49 +08:00
int a[n];
for (int i = 0; i < n; ++i)
{
2019-08-21 10:10:08 +08:00
cin >> a[i];
2017-12-24 01:30:49 +08:00
}
2019-08-21 10:10:08 +08:00
cout << "Enter search key: ";
cin >> key;
int res = binary_search(a, 0, n - 1, key);
if (res != -1)
cout << key << " found at index " << res << endl;
2017-12-24 01:30:49 +08:00
else
2019-08-21 10:10:08 +08:00
cout << key << " not found" << endl;
2017-12-24 01:30:49 +08:00
return 0;
}