1

我试图在这里让我的问题变得简单。我有一个以 int 数组作为成员变量的结构。

struct elem
{
    elem (int a, int b, int c) {id[0]=a; id[1]=b; id[2]=c;}
    int id[3];
};

我想将 elem 指针放入 std::set 中,并且稍后我想使用 find() 从该集合中搜索特定对象,因此我想为此 std::set 提供自定义比较器。

struct compare
{
    bool operator() (elem *one, elem *two )
    {
            // logic 
    }
};

int main(int argc, char* argv[])
{
    std::set< elem *, compare> elemSet;
    std::set< elem *, compare>::iterator itr;

    elem ob1(2,5,9), ob2(5,9,7), ob3(4,3,7);

    elemSet.insert(&ob1);
    elemSet.insert(&ob2);
    elemSet.insert(&ob3);

    elem temp(4,3,7);
    itr = elemSet.find(&temp);

    if(itr != elemSet.end())
    {
        cout << endl << (*itr)->id[0] << " " << (*itr)->id[1] << " " << (*itr)->id[2]; 
    }

    return 0;
}

你能帮我解释比较器的逻辑吗?任何大小的数组是否有任何通用逻辑?

4

1 回答 1

2

由于std::setstd::map及其multi变体)需要严格弱排序,因此您需要通过比较器提供该排序。严格弱排序要求

(x < x) == false
(x < y) == !(y < x)
((x < y) && (y < z)) == (x < z)

对于具有许多成员的类,实现起来可能会很复杂(如果您愿意,数组只是成员的集合)。

在我的这个问题中,tuple我问通过and实现严格弱排序是否明智tie,这使得它非常容易:

struct compare
{
    bool operator() (elem const* one, elem const* two )
    {   // take 'tie' either from Boost or recent stdlibs
        return tie(one->id[0], one->id[1], one->id[2]) <
               tie(two->id[0], two->id[1], two->id[2]);
    }
};

另请注意,我将参数作为指向 - 的指针const

于 2011-11-29T09:22:09.843 回答