lower_bound()和upper_bound()在数组中的使用(非迭代器版)

lower_bound()和upper_bound()在数组中的使用(非迭代器版)

我们在写二分的时候经常会被边界值搞得晕头转向,l到底等于多少,r到底等于多少

好想找个办法规避下这些东西啊

于是,我们将lower_bound和upper_bound()放了出来

这两个玩意的运用,在很多blog上都是用于迭代器的,但是其实他在数组中也能够运用,下面我们就来看看,这两个玩意的含义是什么吧!

设我们有一个数x,并保证a数组从小到大排好

upper_bound( a,a+n,x):从数组的begin位置到end-1位置二分查找第一个大于x的数字,找到返回该数字的地址,不存在则返回end。通过返回的地址减去起始地址begin,得到找到数字在数组中的下标。

lower_bound( a,a+n,x):从数组的begin位置到end-1位置二分查找第一个大于或等于x的数字,找到返回该数字的地址,不存在则返回end。通过返回的地址减去起始地址begin,得到找到数字在数组中的下标。

嗯嗯,这两个的解释看起来都是一样的哈,可一定得观察仔细了哈!

举个栗子:

在数组a[5]={0,2,3,4,5}中,对于需要查找的x=2

lower_bound(a,a+n,x)-a 返回值为1,表示数组中第一个大于等于x的下标值

upper_bound(a,a+n,x)-a 返回值为2,表示数组中第一个大于x的下标值

上面是对于非递减数列的用法,那对于非递增数列的用法呢?
这时候我们就需要传入第四个参数 greator () 其中TYPE是指数组类型
这时候我们lower_bound就是返回数组中第一个小于或等于x的数的位置,upper_bound就返回数组中第一个小于x的数的位置了。

感谢博主u011008379,下面我们借鉴了他的代码
原网址是:https://blog.csdn.net/u011008379/article/details/50725670

代码

#include 
#include 

using namespace std;

int seq1[] = {1, 2, 3, 3, 4, 5}, seq2[] = {9, 8, 7, 7, 6, 5};

int main()
{
    //cout<()) - seq1<
    //cout<()) - seq1<
    cout<<upper_bound(seq1, seq1+6, 3) - seq1<<endl;
    cout<<lower_bound(seq1, seq1+6, 3) - seq1<<endl;

    cout<<endl;

    cout<<upper_bound(seq2, seq2+6, 7, greater<int>()) - seq2<<endl;
    cout<<lower_bound(seq2, seq2+6, 7, greater<int>()) - seq2<<endl;
    //cout<
    //cout<
    return 0;
}

你可能感兴趣的:(C++,数据结构,STL,二分)