std::map
+ C ++ 11 wzór lambda bez wyliczeń
unordered_map
dla potencjalnie zamortyzowanego O(1)
: Jaki jest najlepszy sposób użycia HashMap w 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;
}
}
Wynik:
one 1
two 2
three 3
foobar -1
Użycie w metodach z static
Aby efektywnie wykorzystać ten wzorzec wewnątrz klas, zainicjuj mapę lambda statycznie, albo płacisz za O(n)
każdym razem, aby zbudować ją od zera.
Tutaj możemy uciec od {}
inicjalizacji static
zmiennej metody: Zmienne statyczne w metodach klasowych , ale moglibyśmy również użyć metod opisanych w: statyczne konstruktory w C ++? Muszę zainicjować prywatne obiekty statyczne
Konieczne było przekształcenie przechwytywania kontekstu lambda [&]
w argument, który byłby niezdefiniowany: const static auto lambda używany z przechwytywaniem przez odniesienie
Przykład, który daje takie same wyniki jak powyżej:
#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;
}
}