std::map
+ C ++ 11 numaralandırma olmadan lambdas deseni
unordered_map
itfa edilmiş potansiyel için O(1)
: C ++ bir HashMap kullanmanın en iyi yolu nedir?
#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;
}
}
Çıktı:
one 1
two 2
three 3
foobar -1
İçinde yöntem kullanımı static
Bu kalıbı sınıflar içinde verimli bir şekilde kullanmak için lambda haritasını statik olarak başlatın ya da O(n)
sıfırdan oluşturmak için her seferinde ödeme yapın .
Burada {}
bir static
yöntem değişkeninin başlatılmasıyla kurtulabiliriz : Sınıf yöntemlerindeki statik değişkenler , ama aynı zamanda şu yöntemleri de kullanabiliriz: C ++? Özel statik nesneleri başlatmam gerekiyor
Lambda bağlamı yakalamasını [&]
bir argümana dönüştürmek gerekiyordu veya bu tanımsız olurdu: referansla yakalama ile kullanılan const statik otomatik lambda
Yukarıdaki ile aynı çıktıyı üreten örnek:
#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;
}
}