The set::upper_bound() is a built-in function in C++ STL which returns an iterator pointing to the immediate next element which is just greater than k. If the key passed in the parameter exceeds the maximum key in the container, then the iterator returned points to next of last element (which can be identified using set::end() function) in the set container.
Time Complexity of set::upper_bound() is O(logn), where n is the size of the set.
Syntax:
set_name.upper_bound(key)
Parameters: This function accepts a single mandatory parameter key which specifies the element whose upper bound is to be returned.
Return Value: The function returns an iterator pointing to the immediate next element which is just greater than k. If the key passed in the parameter exceeds the maximum key in the container, then the iterator points to std::end() which points to the element next to the last element of the set.
Example 1:
Below program illustrate the above function:
CPP
#include <bits/stdc++.h>
using namespace std;
int main()
{
set< int > s;
s.insert(1);
s.insert(4);
s.insert(2);
s.insert(5);
s.insert(6);
cout << "The set elements are: " ;
for ( auto it = s.begin(); it != s.end(); it++)
cout << *it << " " ;
auto it = s.upper_bound(2);
cout << "\nThe upper bound of key 2 is " ;
cout << (*it) << endl;
it = s.upper_bound(3);
cout << "The upper bound of key 3 is " ;
cout << (*it) << endl;
return 0;
}
|
Output:
The set elements are: 1 2 4 5 6
The upper bound of key 2 is 4
The upper bound of key 3 is 4
Example 2: Below is a better code that also checks if the given element is greater than or equal to the greatest.
CPP
#include <bits/stdc++.h>
using namespace std;
int main()
{
set< int > s;
s.insert(1);
s.insert(4);
s.insert(2);
s.insert(5);
s.insert(6);
int key = 8;
auto it = s.upper_bound(key);
if (it == s.end())
cout << "The given key is greater "
"than or equal to the largest element \n";
else
cout << "The immediate greater element "
<< "is " << *it << endl;
key = 3;
it = s.upper_bound(key);
if (it == s.end())
cout << "The given key is greater "
"than or equal to the largest element \n";
else
cout << "The immediate greater element "
<< "is " << *it << endl;
return 0;
}
|
Output:
The given key is greater than or equal to the largest element
The immediate greater element is 4
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
12 Jun, 2023
Like Article
Save Article