C++中的lower_bound函數用于在有序的容器(如vector、array、deque、set等)中搜索某個值的插入位置,或者找到第一個大于等于給定值的元素的位置。
具體而言,lower_bound函數會返回一個迭代器,指向容器中第一個不小于給定值的元素。如果容器中存在等于給定值的元素,lower_bound函數也會返回一個指向該元素的迭代器。如果容器中不存在不小于給定值的元素,則lower_bound函數會返回指向容器末尾的迭代器。
lower_bound函數的使用格式如下:
iterator lower_bound (iterator first, iterator last, const T& val);
其中,first和last是表示容器范圍的迭代器,val是要搜索的值。lower_bound函數會在[first, last)的范圍內搜索,并返回第一個不小于val的元素的迭代器。
下面是一個示例:
#include <iostream>
#include <vector>
#include <algorithm>
int main() {
std::vector<int> nums = {1, 3, 5, 7, 9};
int val = 4;
std::vector<int>::iterator it = std::lower_bound(nums.begin(), nums.end(), val);
if (it != nums.end()) {
std::cout << "The first element not less than " << val << " is " << *it << std::endl;
} else {
std::cout << "No element not less than " << val << " in the vector" << std::endl;
}
return 0;
}
輸出結果為:
The first element not less than 4 is 5
在上面的示例中,lower_bound函數搜索的是不小于4的元素,返回了指向5的迭代器。