我可以在C ++中创建一个无序的向量集吗?像这样的东西
std::unordered_set<std::vector<int>> s1;
因为我知道&#34; set&#34; std lib的类,但似乎它不适用于无序版本 感谢
更新: 这是我尝试使用的确切代码
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 };
答案 0 :(得分:28)
当然可以。但是你必须提出一个哈希值,因为默认值(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>
专门化(注意此 可能是{{1}但是,用户定义的类型肯定没问题:
std::vector<int>