C ++将值存储在无序对中

时间:2015-03-21 07:23:02

标签: c++ arrays unordered-map unordered-set unordered

我想为无序的整数对存储一个浮点值。我无法找到任何易于理解的教程。例如,对于无序对{i,j},我想存储浮点值f。如何插入,存储和检索这样的值?

3 个答案:

答案 0 :(得分:7)

处理无序int对的简单方法是使用std::minmax(i,j)生成std::pair<int,int>。通过这种方式,您可以像这样实现存储:

   std::map<std::pair<int,int>,float> storage;
   storage[std::minmax(i,j)] = 0.f;
   storage[std::minmax(j,i)] = 1.f; //rewrites storage[(i,j)]

不可否认,适当的散列会给你一些额外的性能,但推迟这种优化并没有什么害处。

答案 1 :(得分:1)

以下是一些指示性代码:

#include <iostream>
#include <unordered_map>
#include <utility>

struct Hasher
{
    int operator()(const std::pair<int, int>& p) const
    {
        return p.first ^ (p.second << 7) ^ (p.second >> 3);
    }
};

int main()
{
    std::unordered_map<std::pair<int,int>, float, Hasher> m =
    { { {1,3}, 2.3 },
      { {2,3}, 4.234 },
      { {3,5}, -2 },
    };

    // do a lookup
    std::cout << m[std::make_pair(2,3)] << '\n';
    // add more data
    m[std::make_pair(65,73)] = 1.23;
    // output everything (unordered)
    for (auto& x : m)
        std::cout << x.first.first << ',' << x.first.second
            << ' ' << x.second << '\n';
}

请注意,它依赖于以下惯例:您首先使用较低的数字存储无序对(如果它们不相等)。您可能会发现编写一个支持函数很方便,该函数接受一对并按顺序返回它,因此您可以在地图中插入新值时使用该函数,并且当使用一对作为键来尝试查找值时地图。

输出:

4.234
3,5 -2
1,3 2.3
65,73 1.23
2,3 4.234

ideone.com上查看。如果你想制作一个更好的哈希函数,只需找到hash_combine的实现(或使用boost&#39; s) - 这里有很多问题,解释如何为std::pair<> s执行此操作。

答案 2 :(得分:1)

您实现了一个符合您要求的UPair类型并重载::std::hash(这是您被允许在std中实现某些内容的极少数情况。)

#include <utility>
#include <unordered_map>

template <typename T>
class UPair {
  private:
    ::std::pair<T,T> p;
  public:
    UPair(T a, T b) : p(::std::min(a,b),::std::max(a,b)) {
    }   
    UPair(::std::pair<T,T> pair) : p(::std::min(pair.first,pair.second),::std::max(pair.first,pair.second)) {
    }   
    friend bool operator==(UPair const& a, UPair const& b) {
      return a.p == b.p;
    }   
    operator ::std::pair<T,T>() const {
      return p;
    }   
};
namespace std {
  template <typename T>
  struct hash<UPair<T>> {
    ::std::size_t operator()(UPair<T> const& up) const {
      return ::std::hash<::std::size_t>()(
               ::std::hash<T>()(::std::pair<T,T>(up).first)
             ) ^
             ::std::hash<T>()(::std::pair<T,T>(up).second);
      // the double hash is there to avoid the likely scenario of having the same value in .first and .second, resulinting in always 0
      // that would be a problem for the unordered_map's performance
    }   
  };  
}

int main() {
  ::std::unordered_map<UPair<int>,float> um;
  um[UPair<int>(3,7)] = 3.14;
  um[UPair<int>(8,7)] = 2.71;
  return 10*um[::std::make_pair(7,3)]; // correctly returns 31
}