0

我正在尝试使用基于范围的 for 循环来迭代 multimap 的 equal_range。我正在模仿我看过的代码,但出现错误。

#include <iostream>
#include <map>

int main() {
    std::multimap<const unsigned long, const std::string> colors;

    colors.insert({2UL, "red"});
    colors.insert({2UL, "orange"});
    colors.insert({3UL, "yellow"});
    colors.insert({4UL, "green"});
    colors.insert({4UL, "blue"});
    colors.insert({5UL, "violet"});

    for (const auto &it : colors.equal_range(4UL)) {
        std::cout << "    " << it.second << std::endl;
    }
}

以下是编译时发生的情况:

g++ --version
g++ (GCC) 7.3.1 20180303 (Red Hat 7.3.1-5)

g++ 
$g++ -o foo foo.cc
foo.cc: In function ‘int main()’:
foo.cc:14:49: error: no matching function for call to 
‘begin(std::pair<std::_Rb_tree_iterator<std::pair<const long unsigned int, const std::__cxx11::basic_string<char> > >, std::_Rb_tree_iterator<std::pair<const long unsigned int, const std::__cxx11::basic_string<char> > > >&)’
 for (const auto &it : colors.equal_range(4UL)) {

我最后一次使用 C++ 是在 C++11 之前。我究竟做错了什么?

4

1 回答 1

-1

std::multimap::equal_range返回std::pair<iterator,iterator>

它不是基于范围的 for-loop 的直接支持。

c++20您现在可以使用std::ranges::subrange来适应它。

#include <iostream>
#include <map>
#include <ranges>

int main() {
    std::multimap<const unsigned long, const std::string> colors;

    colors.insert({2UL, "red"});
    colors.insert({2UL, "orange"});
    colors.insert({3UL, "yellow"});
    colors.insert({4UL, "green"});
    colors.insert({4UL, "blue"});
    colors.insert({5UL, "violet"});
    
    for (auto [begin,end]=colors.equal_range(4UL); const auto &it : std::ranges::subrange{begin, end}) {
        std::cout << "    " << it.second << std::endl;
    }
}

魔杖盒链接

于 2018-09-07T14:31:02.517 回答