1. 程式人生 > >STL二分之lower_bound()和upper_bound()的用法總結

STL二分之lower_bound()和upper_bound()的用法總結

lower_bound()和upper_bound()都是利用二分查詢的方法在一個排好序的陣列中進行查詢的

在從小到大的排序陣列中

lower_bound(begin,end,num):從陣列的begin位置到end-1位置二分查詢第一個大於或等於num的數字,找到返回數字的地址

不存在則返回end

通過返回的地址減去起始地址begin()

得到找到數字在陣列中的下標

upper_bound(begin,end,num):從陣列的begin位置到end-1位置二分查詢第一個大於num的數字,找到返回數字的地址

不存在則返回end

通過返回的地址減去起始地址begin()

得到找到數字在陣列中的下標

在從大到小的排序陣列中,過載lower_bound()和upper_bound()

lower_bound(begin,end,num,greater<type>()):

從陣列的begin位置到end-1位置二分查詢第一個小於或等於num的數字,找到返回該數字的地址,不存在則返回end。通過返回的地址減去起始地址begin,得到找到數字在陣列中的下標。

upper_bound( begin,end,num,greater<type>() )

從陣列的begin位置到end-1位置二分查詢第一個小於num的數字,找到返回該數字的地址,不存在則返回end。通過返回的地址減去起始地址begin,得到找到數字在陣列中的下標。

#include<bits/stdc++.h>
using namespace std;
const int maxn=100000+10;
const int INF=2*int(1e9)+10;
#define LL long long
int cmd(int a,int b){
	return a>b;
}
int main(){
	int num[6]={1,2,4,7,15,34}; 
	sort(num,num+6);                           //按從小到大排序 
	int pos1=lower_bound(num,num+6,7)-num;    //返回陣列中第一個大於或等於被查數的值 
	int pos2=upper_bound(num,num+6,7)-num;    //返回陣列中第一個大於被查數的值
	cout<<pos1<<" "<<num[pos1]<<endl;
	cout<<pos2<<" "<<num[pos2]<<endl;
	sort(num,num+6,cmd);                      //按從大到小排序
	int pos3=lower_bound(num,num+6,7,greater<int>())-num;  //返回陣列中第一個小於或等於被查數的值 
	int pos4=upper_bound(num,num+6,7,greater<int>())-num;  //返回陣列中第一個小於被查數的值 
	cout<<pos3<<" "<<num[pos3]<<endl;
	cout<<pos4<<" "<<num[pos4]<<endl;
	return 0;	
}