在某些std
库template
的参数中,需要定义他/她自己的函数比较器less(a, b)
,more(a, b)
然后std::some_template<T, *, myComparator()>
,但为什么?
答案 0 :(得分:5)
比较器的目的是允许对已排序的stl容器中的对象进行排序。如果默认比较器不适合容器将容纳的对象类型,则只需提供自己的比较器。
例如,如果您要创建以下struct
的std :: set,那么您需要编写自己的比较器。
struct Person
{
std::string first_name, last_name, phone_number;
}
默认比较器知道如何比较数字和字符串,但它不知道如何比较Person对象。这就是人们如何编写自定义比较器来按last_name排序Person对象。
struct Person_Comparator
{
bool operator()(const Person &a, const Person &b) const {
return a.last_name < b.last_name;
}
};
答案 1 :(得分:1)
另一个例子是让一组具有一些不同的标准
int main()
{
//By default set will use std::less<int>()
//Lets make a set based on no. of 1's in binary representation of elements
set<int,mycomp> s;
for(auto i=1;i<20;i++) //Note :Duplicates 1's representation will be discarded
s.insert(i);
for(auto i:s)
cout<<i<< " "; //19 15 8 7 3 1
return 0;
}
相应的比较器将如下所示:
struct mycomp
{
bool operator()(const int& a, const int& b) const {
auto count_bits = [](long n){
unsigned int c;
for (c = 0; n; c++)
n &= n - 1;
return c;
};
return count_bits(a) != count_bits(b);
}
};
答案 2 :(得分:0)
我们偶尔也需要在泛型编程中定义我们自己的函数比较器,但我们并不总是需要自己编写:)你可以使用这个在线向导[http://www.xochellis.org/genericdataordering/我的wizard.php],创建你需要的严格弱序的函子或者lambdas。
例如,对于上一个答案的Person_Comparator
示例,您只需在向导表单中填写三个字段,例如this picture节目。
有关详细信息,您也可以参考here:
祝你好运, Jim Xochellis