如何使用lambda函数作为unordered_map中的哈希函数

How to use lambda function as hash function in unordered_map?

本文关键字:函数 map 哈希 何使用 lambda unordered      更新时间:2023-10-16

我想知道是否可以使用lambda函数作为c++ 11中unordered_map的自定义哈希函数?如果是,语法是什么?

#include<unordered_map>
#include<string>
int main() {
    auto my_hash = [](std::string const& foo) {
        return std::hash<std::string>()(foo);
    };
    std::unordered_map<std::string, int, decltype(my_hash)> my_map(10, my_hash); 
}

您需要将lambda对象传递给unordered_map构造函数,因为lambda类型不是默认可构造的。

正如@mmocny在评论中建议的那样,如果你真的想摆脱decltype,也可以定义make函数来启用类型推导:

#include<unordered_map>
#include<string>
template<
        class Key,
        class T,
        class Hash = std::hash<Key>
        // skipped EqualTo and Allocator for simplicity
>
std::unordered_map<Key, T, Hash> make_unordered_map(
        typename std::unordered_map<Key, T, Hash>::size_type bucket_count = 10,
        const Hash& hash = Hash()) {
    return std::unordered_map<Key, T, Hash>(bucket_count, hash);
}
int main() {
    auto my_map = make_unordered_map<std::string, int>(10,
            [](std::string const& foo) {
                return std::hash<std::string>()(foo);
            });
}