我希望根据带有lambda的 second 元素找到std::lower_bound
std::vector
的{{1}}。
std::pair
答案 0 :(得分:13)
你在这里错过了一个参数,std::lower_bound
接受一个开始和结束迭代器,一个值(这是你错过的),最后可以得到一个lambda。
#include <algorithm>
#include <vector>
int main()
{
typedef std::pair<int, double> myPair; // typedef to shorten the type name
std::vector <myPair> vec(5);
myPair low_val; // reference value (set this up as you want)
auto it = std::lower_bound(vec.begin(), vec.end(), low_val,
[](myPair lhs, myPair rhs) -> bool { return lhs.second < rhs.second; });
}
lower_bound的参考页面为here。
答案 1 :(得分:4)
lower_bound
的目的是找到元素的位置。所以你必须指定那个元素。如果您只想按第二个合作伙伴排序,那么您只需要指定一个值:
std::vector<std::pair<int, double>> vec = /* populate */ ; // must be sorted!
double target = 1.3;
auto it = std::lower_bound(vec.begin(), vec.end(), target,
[](std::pair<int, double> const & x, double d)
{ return x.second < d; });
请注意,必须根据相同的谓词对向量进行排序,因此您可能希望更永久地存储谓词:
auto lb_cmp = [](std::pair<int, double> const & x, double d) -> bool
{ return x.second < d; };
auto sort_cmp = [](std::pair<int, double> const & x,
std::pair<int, double> const & y) -> bool
{ return x.second < y.second; };
std::sort(vec.begin(), vec.end(), sort_cmp);
auto it = std::lower_bound(vec.begin(), vec.end(), target, lb_cmp);