在C++中,lower_bound和upper_bound是用于在有序序列中高效查找元素的函数,位于头文件。它们的时间复杂度为O(log n)(要求随机访问迭代器)。
一般来说,这两个函数能实现的功能,使用二分法都能实现;不过为了编码速度和代码的简洁性,在程序的某个环节如果需要一个简单二分查找了,我们往往还是使用这两个函数来查找。
功能简要说明
lower_bound:返回第一个不小于value的元素的位置。
upper_bound:返回第一个大于value的元素的位置。
函数原型
1 2 3 4 5 6 7 8 9 10 11 12
| template< class ForwardIt, class T > ForwardIt lower_bound( ForwardIt first, ForwardIt last, const T& value );
template< class ForwardIt, class T > ForwardIt upper_bound( ForwardIt first, ForwardIt last, const T& value );
template< class ForwardIt, class T, class Compare > ForwardIt lower_bound( ForwardIt first, ForwardIt last, const T& value, Compare comp );
template< class ForwardIt, class T, class Compare > ForwardIt upper_bound( ForwardIt first, ForwardIt last, const T& value, Compare comp );
|
详细用法
首先使用这两个函数的一个前提条件是:有序。
如果是对于数组使用,需要先保证数组是有序的;如果对于集合使用,需要确保是set,而不是unordered_set,因为set是默认有序的。
前文提到了,lower_bound其实就是找>=value的边界,upper_bound其实就是找>value的边界。
那么,如何找<和<=的边界值呢?
其实我们可以通过>value的第一个元素来确定<=value的最后一个元素;同理<也可以通过>=来确定。
由于这两个函数返回值都是指针,所以我们可以利用prev()来获取上一个位置。
总结来说就是:
找边界值的下标
1 2 3 4
| lower_bound(a.begin(), a.end(), value) - a.begin() prev(upper_bound(a.begin(), a.end(), value)) - a.begin() upper_bound(a.begin(), a.end(), value) - a.begin() prev(lower_bound(a.begin(), a.end(), value)) - a.begin()
|
如果是需要获取对应位置上的值,用一个*获取地址上的值即可,例如:
1
| int t = *lower_bound(a.begin(), a.end(), value);
|
找不到的时候:
lower_bound()和upper_bound()都是返回数组的最后一个元素后面一个位置。
这两个函数不仅对数组(int[]/vector())适用,对set也是适用的,set没有位置(下标)的区分,一般来说都是查找值,具体用法如下:
1 2 3 4 5
| set<int> st = {5, 1, 9, 3, 0};
cout << *st.lower_bound(2) << endl;
cout << (st.lower_bound(10) == st.end()) << endl;
|
如果要找>, <, <=和vector是同理的。
通过实际案例理解
以下列举了几种特殊边界情况,大家可以看着案例理解一下:
找<=的右边界:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
| vector<int> a = {0, 1, 2, 3, 4, 5};
int res = prev(upper_bound(a.begin(), a.end(), 6)) - a.begin();
cout << res << endl;
res = prev(upper_bound(a.begin(), a.end(), 5)) - a.begin();
cout << res << endl;
res = prev(upper_bound(a.begin(), a.end(), -1)) - a.begin();
cout << res << endl;
|
找>=的左边界
1 2 3 4 5 6 7 8 9
| vector<int> a = {0, 1, 2, 3, 4, 5};
int res = lower_bound(a.begin(), a.end(), 6) - a.begin();
cout << res << endl;
cout << lower_bound(a.begin(), a.end(), 6) - a.end() << endl;
|