在下面的C ++代码段中,
如何对向量“ TwoIntsVec”进行排序基于TwoInts结构中的元素“ int a” 。即,我需要将“ TwoIntsVec [i] .a”最少的“ TwoIntsVec [i]”放在第一位,依此类推,以“ TwoIntsVec [i] .a”的升序排列。
在下面的示例中,应将具有7,3的矢量元素结构放在第一位,因为7是最小的“ a”,依此类推。
struct TwoInts
{
int a;
int b;
};
void PushToVector(int a, int b, std::vector<TwoInts>& TwoIntsVec)
{
TwoInts temp;
temp.a = a;
temp.b = b;
TwoIntsVec.push_back(temp);
}
int main()
{
std::vector<TwoInts> TwoIntsVec;
PushToVector(21,3,TwoIntsVec);
PushToVector(7,3,TwoIntsVec);
PushToVector(12,3,TwoIntsVec);
PushToVector(9,3,TwoIntsVec);
PushToVector(16,3,TwoIntsVec);
// Below sort would NOT work here, as TwoIntsVec is
// not a std::vector<int>
std::sort( TwoIntsVec.begin(), TwoIntsVec.end());
// HOW TO MAKE THE SORT BASED ON the element "int a" in
TwoInts struct
}
答案 0 :(得分:5)
您需要将适当的比较函数传递给std::sort
,因为TwoInts
没有合适的比较运算符。有关此比较参数的说明,请参见重载#3 here:
comp -比较函数对象(即满足Compare要求的对象),如果第一个参数小于(即在第二个参数之前),则返回
true
。 [...]
一个C ++ 11选项是传递一个lambda:
std::sort( TwoIntsVec.begin(), TwoIntsVec.end(),
[](const TwoInts& lhs, const TwoInts& rhs){ return lhs.a < rhs.a; });
如果发现这需要太多的输入,则可以使用Boost HOF构造谓词,如下所示:
#include <boost/hof/proj.hpp>
#include <boost/hof/placeholders.hpp>
using namespace boost::hof;
std::sort(TwoIntsVec.begin(), TwoIntsVec.end(), proj(&TwoInts::a, _ < _));
或者,作为C ++ 20预告片:
std::ranges::sort(TwoIntsVec, std::less<>{}, &TwoInts::a);
作为旁注,我建议您直接通过填充向量
// Less complicated than doing the same thing in a function:
TwoIntsVec.push_back({21, 3});
TwoIntsVec.push_back({7, 3});
// ...