I've been experimenting with the "lower_bound()/upper_bound()" functions in C++ w.r.t. arrays/vectors, and I get incorrect results when applying custom compare operators to the function. My current understanding (based on https://www.cplusplus.com/reference/algorithm/upper_bound/) is that when you search for some value 'val' (of any datatype) in an array, it returns the first iterator position "it" in the array (from left to right) that satisfies !comp(val,*it), is this wrong? If so, how exactly does the searching work?
P.S. In addition, what is the difference of using lowerbound/upperbound when your searching criterion is a specific boolean compare function?
Here is an example that produced erroneous results:
auto comp2 = [&](int num, pair<int,int>& p2){return num>p2.second;};
vector<pair<int,int>> pairs = {{1,2},{2,3},{3,4}}; //this array should be binary-searchable with 'comp2' comparator, since pairs[i].second is monotonously increasing
int pos2 = upper_bound(pairs.begin(),pairs.end(),2,comp2)-pairs.begin();
cout<<pos2<<endl; //outputs 3, but should give 0 because !comp2(2,arr[0]) is true, and arr[0] is the ealiest element in the array
Thanks!
I think most (If not all) of the comparator functions are
less
, it can bestd::less
or something similar. So when we provide a customcomp
function, we have to provide theless
logic and think of it asless
.Now back to the
upper_bound
, it returns the first element greater than thevalue
, which means ourless
should returntrue
for it to stop (As Francois pointed out). While our comp function always returnsfalse
.And your understanding about
!comp(val,*it)
is also not correct. It is the condition to continue the search, not to stop it.Here is an example implementation of the
upper_bound
, let's take a look:You can see,
if (!comp(value, *it))
is when theless
returnfalse
, it means thevalue
is greater than the current item, it will move forward and continue from the next item. (Because the items are increasing).In the other case, it will try to reduce the search distance (By half the
count
) and hope to find earlier item that is greater thanvalue
.Summary: You have to provide
comp
asless
logic and let theupper_bound
do the rest.