1. ホーム
  2. c++

[解決済み】C++ マップのループ処理

2022-04-17 22:35:24

質問

の各要素を繰り返し処理したい。 map<string, int> その文字列-int 値やキーは一切知らないで。

今まで持っていたもの

void output(map<string, int> table)
{
       map<string, int>::iterator it;
       for (it = table.begin(); it != table.end(); it++)
       {
            //How do I access each element?  
       }
}

解決方法は?

以下のような方法で実現できます。

map<string, int>::iterator it;

for (it = symbolTable.begin(); it != symbolTable.end(); it++)
{
    std::cout << it->first    // string (key)
              << ':'
              << it->second   // string's value 
              << std::endl;
}


C++11 <サブ ( およびそれ以降 ) ,

for (auto const& x : symbolTable)
{
    std::cout << x.first  // string (key)
              << ':' 
              << x.second // string's value 
              << std::endl;
}


C++17 <サブ ( およびそれ以降 ) ,

for (auto const& [key, val] : symbolTable)
{
    std::cout << key        // string (key)
              << ':'  
              << val        // string's value
              << std::endl;
}