std::map
+列挙型のないC ++ 11ラムダパターン
unordered_map
償却される可能性がある場合O(1)
: C ++でHashMapを使用する最良の方法は何ですか?
#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;
}
}