我可以在C++中创建 vector 的无序集合吗?像这样的东西

std::unordered_set<std::vector<int>> s1;

因为我知道这可以通过std lib的“set”类实现,但似乎不适用于无序版本
谢谢

更新:
这正是我要使用的代码
typedef int CustomerId;
typedef std::vector<CustomerId> Route;
typedef std::unordered_set<Route> Plan;

// ... in the main
Route r1 = { 4, 5, 2, 10 };
Route r2 = { 1, 3, 8 , 6 };
Route r3 = { 9, 7 };
Plan p = { r1, r2 };

如果使用set可以,但是尝试使用无序版本时收到编译错误
main.cpp:46:11: error: non-aggregate type 'Route' (aka 'vector<CustomerId>') cannot be initialized with an initializer list
    Route r3 = { 9, 7 };

最佳答案

你当然可以。但是,您将不得不提出一个哈希值,因为默认值(std::hash<std::vector<int>>)将不会实现。例如,基于this answer,我们可以构建:

struct VectorHash {
    size_t operator()(const std::vector<int>& v) const {
        std::hash<int> hasher;
        size_t seed = 0;
        for (int i : v) {
            seed ^= hasher(i) + 0x9e3779b9 + (seed<<6) + (seed>>2);
        }
        return seed;
    }
};

进而:
using MySet = std::unordered_set<std::vector<int>, VectorHash>;

如果您愿意,也可以为这种类型的std::hash<T>添加一个特殊化(注意,这对于std::vector<int>可能是未定义的行为,但是对于用户定义的类型绝对可以):
namespace std {
    template <>
    struct hash<std::vector<int>> {
        size_t operator()(const vector<int>& v) const {
            // same thing
        }
    };
}

using MySet = std::unordered_set<std::vector<int>>;

关于c++ - C++无序 vector 集,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29855908/

10-10 20:15