std::map
+ C ++ 11 лямбда-шаблон без перечислений
unordered_map
для потенциальных амортизированных O(1)
: Каков наилучший способ использования HashMap в C ++?
#include <functional>
#include <iostream>
#include <string>
#include <unordered_map>
#include <vector>
int main() {
int result;
const std::unordered_map<std::string,std::function<void()>> m{
{"one", [&](){ result = 1; }},
{"two", [&](){ result = 2; }},
{"three", [&](){ result = 3; }},
};
const auto end = m.end();
std::vector<std::string> strings{"one", "two", "three", "foobar"};
for (const auto& s : strings) {
auto it = m.find(s);
if (it != end) {
it->second();
} else {
result = -1;
}
std::cout << s << " " << result << std::endl;
}
}
Вывод:
one 1
two 2
three 3
foobar -1
Использование внутри методов с static
Чтобы эффективно использовать этот шаблон внутри классов, статически инициализируйте лямбда-карту, иначе вы платите O(n)
каждый раз за ее создание с нуля.
Здесь мы можем избежать {}
инициализации static
переменной метода: статические переменные в методах класса , но мы также можем использовать методы, описанные в: статические конструкторы в C ++? Мне нужно инициализировать частные статические объекты
Необходимо было преобразовать захват лямбда-контекста [&]
в аргумент, или это было бы неопределенным: const static auto lambda использовался с захватом по ссылке
Пример, который выдает тот же результат, что и выше:
#include <functional>
#include <iostream>
#include <string>
#include <unordered_map>
#include <vector>
class RangeSwitch {
public:
void method(std::string key, int &result) {
static const std::unordered_map<std::string,std::function<void(int&)>> m{
{"one", [](int& result){ result = 1; }},
{"two", [](int& result){ result = 2; }},
{"three", [](int& result){ result = 3; }},
};
static const auto end = m.end();
auto it = m.find(key);
if (it != end) {
it->second(result);
} else {
result = -1;
}
}
};
int main() {
RangeSwitch rangeSwitch;
int result;
std::vector<std::string> strings{"one", "two", "three", "foobar"};
for (const auto& s : strings) {
rangeSwitch.method(s, result);
std::cout << s << " " << result << std::endl;
}
}