0

我有以下代码:

#include <iostream>
#include <stdio.h>
#include <cmath>
#include <map>
using namespace std;
struct vals
{
int cods[5];
int sz;
};  
struct myComp
{
bool operator()(vals A, vals B) const
{
    int i=0;
    while(A.cods[i]==B.cods[i] && i<A.sz)
        i++;
    if(i==A.sz)
        return false; //<-----this is the value im changing..
    else
        return A.cods[i] > B.cods[i];
}
};
map< vals, int, myComp> Mp;                 
int main()
{
vals g, h;
g.sz=h.sz=3;
g.cods[0] = 12;
g.cods[1] = 22;
g.cods[2] = 32;
Mp.insert(pair< vals, int >(g,4));
Mp.insert(pair< vals, int >(g,7));
cout<<Mp.count(g)<<endl;
cout<<Mp.size()<<endl;
return 0;
}

现在,当声明Mp为 map 并放入false二进制谓词时.. 输出为: 1 1

Mp => map && binary predicate:true ==> output: 0 2

Mp => multimap && binary predicate:true ===> output: 0 2

Mp => multimap && binary predicate:false ===> output: 2 2

我认为谓词的返回值只是告诉stl是否将一个元素放在它的前面或后面。但我不明白这对地图本身的大小有何影响。请对此有所了解。谢谢你。

4

1 回答 1

2

您的比较必须实现严格的弱排序。使用时不满足此要求

if(i==A.sz)
    return true;

在你的比较器中。在这种情况下,数组中的所有元素都相同。true如果两个参数相等,则函子不能返回。如果您没有严格的弱排序比较,则地图无法正常运行。

您可以使用以下方法大大简化您的仿函数std::lexicographical_compare

#include <algorithm>  // for std::lexicographical_compare
#include <functional> // for std::greater

...

bool operator()(vals A, vals B) const
{
  return std::lexicographical_compare(A, A+A.sz, B, B+B.sz); // less-than
  //return std::lexicographical_compare(A, A+A.sz, B, B+B.sz, std::greater<int>()); // gt
}
于 2013-04-11T06:53:33.137 回答