C ++ set upper_bound()函数用于返回一个迭代器,该迭代器指向set容器中的值,该值大于参数中传递的val。
iterator upper_bound (const value_type& val) const; //C++ 11 之前 iterator upper_bound (const value_type& val); //C++ 11 之后 const_iterator upper_bound (const value_type& val) const; //C++ 11 之后
val:要在集合容器中搜索的值。
它返回一个迭代器,该迭代器指向set容器中的值,该值大于参数中传递的val。如果没有这样的元素,则返回end()。
大小为对数。
没有变化。
容器被访问(const和非const版本都不能修改容器)。
同时访问集合的元素是安全的。
如果引发异常,则容器中没有任何更改。
让我们看一个简单的示例,以获取给定值的上限:
#include <iostream> #include <set> using namespace std; int main(void) { set<char> m = {'a', 'b', 'c', 'd'}; auto it = m.upper_bound('b'); cout << "b的上限是(>): " << *it << endl; return 0; }
输出:
b的上限是(>): c
在上面的示例中,当我们尝试找到元素b的上限时,它将返回元素b的较大值,即c
让我们看一个简单的示例,从下限到上限擦除set的元素:
#include <iostream> #include <set> using namespace std; int main () { set<int> myset; set<int>::iterator itlow,itup; for (int i=1; i<10; i++) myset.insert(i*10); // 10 20 30 40 50 60 70 80 90 itlow=myset.lower_bound (30); // ^ itup=myset.upper_bound (60); // ^ myset.erase(itlow,itup); // 10 20 70 80 90 std::cout << "myset包含:"; for (set<int>::iterator it=myset.begin(); it!=myset.end(); ++it) cout << ' ' << *it; cout << '\n'; return 0; }
输出:
myset包含: 10 20 70 80 90
在上面的示例中,erase()函数将set的元素从下限(=)删除到上限(>),并打印其余内容。
让我们看一个简单的实例:
#include<iostream> #include<set> using namespace std; int main() { // 初始化容器 set<int> mp; // 按随机顺序插入元素 mp.insert( 12 ); mp.insert( 11 ); mp.insert( 15 ); mp.insert( 14 ); // 当11存在时 auto it = mp.upper_bound(11); cout << "键11的上限是 "; cout << (*it)<< endl; // 当13不存在时 it = mp.upper_bound(13); cout << "键13的上限是 "; cout << (*it)<< endl; // 当17大于最大键值时,按大小 // mp的返回值作为键,值为0。 it = mp.upper_bound(17); cout << "键17的上限是 "; cout << (*it); return 0; }
输出:
键11的上限是 12 键13的上限是 14 键17的上限是 4
在上面的示例中,当我们尝试找到不存在于集合容器中但未超过最大值的值的上限时,它将返回更大的值,即当我们尝试找到13的上限时,它将返回返回14,当我们尝试查找集合中不存在且超过容器最大值的值的上限时,它将返回到end()。
让我们看一个简单的实例:
#include <set> #include <iostream> int main( ) { using namespace std; set <int> s1; set <int> :: const_iterator s1_AcIter, s1_RcIter; s1.insert( 10 ); s1.insert( 20 ); s1.insert( 30 ); s1_RcIter = s1.upper_bound( 20 ); cout << "集合s1的键大于20的第一个元素是: " << *s1_RcIter << "." << endl; s1_RcIter = s1.upper_bound( 30 ); // 如果没有找到匹配的键,则返回end() if ( s1_RcIter == s1.end( ) ) cout << "集合s1没有键值大于元素 30." << endl; else cout << "键> 40的集合s1的元素为: " << *s1_RcIter << "." << endl; //可以找到集合中特定位置的元素 //通过使用解引用的迭代器寻址位置 s1_AcIter = s1.begin( ); s1_RcIter = s1.upper_bound( *s1_AcIter ); cout << "s1的第一个元素的键大于" << endl << "s1的初始元素是: " << *s1_RcIter << "." << endl; return 0; }
输出:
集合s1的键大于20的第一个元素是: 30. 集合s1没有键值大于元素 30. s1的第一个元素的键大于 s1的初始元素是: 20.