📅  最后修改于: 2020-10-17 06:26:30             🧑  作者: Mango
使用C++ STL algorithm.binary_search()函数检查[first,last)范围内的元素是否等效于val(或二进制谓词),否则返回false。
default (1) template
bool binary_search (ForwardIterator first, ForwardIterator last,
const T& val);
custom (2) template
bool binary_search (ForwardIterator first, ForwardIterator last,
const T& val, Compare comp);
first:指向要搜索范围内第一个元素的前向迭代器。
last:一个正向迭代器,指向要搜索范围内的过去最后一个元素。
comp:用户定义的二进制谓词函数,该函数接受两个参数,如果两个参数顺序正确,则返回true,否则返回false。它遵循严格的弱排序来对元素进行排序。
val:比较范围内元素的上限值。
如果找到等于val的元素,则返回true,否则返回false。
平均而言,复杂度在首尾之间的距离是对数的:最多可进行log2(N)+ 2个元素比较,其中N =尾数-第一。
访问范围为[first,last)的对象。
如果元素比较或迭代器上的操作引发异常,则此函数引发异常。
请注意,无效的参数会导致未定义的行为。
让我们看一个简单的例子来演示binary_search()的用法:
#include
#include
#include
using namespace std;
int main()
{
vector v = {3, 1, 4, 6, 5};
if (binary_search(v.begin(), v.end(), 4)) {
cout << "4 found" << endl;
}
else {
cout << "4 not found" << endl;
}
return 0;
}
输出:
4 found
让我们看另一个简单的例子:
#include // std::cout
#include // std::binary_search, std::sort
#include // std::vector
using namespace std;
bool myfunction (int i,int j) { return (i v(myints,myints+9); // 1 2 3 4 5 4 3 2 1
// using default comparison:
sort (v.begin(), v.end());
cout << "looking for a 3... ";
if (binary_search (v.begin(), v.end(), 3))
cout << "found!\n"; else cout << "not found.\n";
// using myfunction as comp:
sort (v.begin(), v.end(), myfunction);
cout << "looking for a 6... ";
if (binary_search (v.begin(), v.end(), 6, myfunction))
cout << "found!\n"; else std::cout << "not found.\n";
return 0;
}
输出:
looking for a 3... found!
looking for a 6... not found.
让我们看另一个简单的示例,使用比较函数比较元素:
#include
#include
#include
using namespace std;
int main()
{
int a[] = {1, 2, 3, 4, 5, 6, 7, 9, 10};
vector v(a, a+9);
cout <<"\nHere are the values in the vector:\n";
for (vector::size_type i=0; i
输出:
Here are the values in the vector:
1 2 3 4 5 6 7 9 10
The value 3 was found.
The value 8 was not found.
让我们看另一个简单的例子:
#include
#include
#include
#include
#include
using namespace std;
void print(vector vs)
{
vector ::iterator i;
for(i = vs.begin(); i != vs.end(); i++)
{
cout << left << setw(2) << *i;
}
cout << endl;
}
int main () {
int arr[] = {1, 5, 2, 9, 8, 4, 3, 7, 6};
int alen = sizeof(arr) / sizeof(int);
vector v(arr, arr + alen);
sort (v.begin(), v.end());
cout << "Sorted vector elements : ";
print(v);
// Searching without using predicate
cout << "Searching for 4 : ";
if (binary_search (v.begin(), v.end(), 4))
cout << "found!" << endl;
else
cout << "not found." << endl;
// Searching using predicate
cout << "Searching for element greater than 9 : ";
if (binary_search(v.begin(), v.end(), 9, greater()))
cout << "found!" << endl;
else
cout << "not found." << endl;
return 0;
}
输出:
Sorted vector elements : 1 2 3 4 5 6 7 8 9
Searching for 4 : found!
Searching for element greater than 9 : not found.