3

我有一个每帧创建的项目列表,需要对其进行排序。每个 Item 的第一个排序依据的成员变量是一个unordered_set.

我已将其移至系统中各处的有序集,以便我可以在项目列表中对其进行排序。但是我在另一个代码中遇到了性能问题。

请记住,每个项目都将被销毁并在每帧的基础上重新创建,我能做些什么来将它们保存在unordered_sets 中并对其进行排序?

class item
{
    public:
    unordered_set< int > _sortUS;
    int _sortI;
    //Other members to sort
    bool operator<( const item& that ) const
    {
        if( _sortI != that._sortI )
        {
            return _sortI < that._sortI;
        }
        else if( _sortUS != that._sortUS )
        {
            return ??? // this is what I need. I don't know how to compare these without converting them to sets
        }
    }
};
4

1 回答 1

2

给定std::unordered_set<Key, Hash>任意 hashable Key,您可以定义

template<class Key, class Hash = std::hash<Key>>
bool operator< (std::unordered_set<Key, Hash> const& L, std::unordered_set<Key, Hash> const& R)
{
    return std::lexicographical_compare(
        begin(L), end(L), begin(R), end(R), 
        [](Key const& kL, Key const& kR) {
        return Hash()(kL) < Hash()(kR);     
    });
}

这将使用Key. 然后,您可以定义一个排序item

bool operator< (item const& L, item const& R)
{
     return std::tie(L.sortI, L.sortUS) < std::tie(R.sortI, R.sortUS);
}

并将std::tiestd::tuple您的成员进行引用,item以便您可以使用operator<from std::tuple

注意:您可以轻松证明上述比较是 StrictWeakOrder (对 的要求std::sort),因为std::tuple比较和lexicographical_compare都具有此属性。

然而,unordered_set在其他方面的排序是非常不寻常的。

  • 散列键索引与您迭代元素的顺序不对应(有一些模运算将散列键映射到容器中的索引)
  • 向罐中添加元素unordered_set会导致先前排序的重新散列和失效
于 2014-02-10T22:00:21.540 回答