如何访问嵌套的stl元素?

时间:2012-09-05 08:15:57

标签: c++ stl

我有以下代码:

set< vector<int> > set_of_things;
vector<int> triplet(3);

//set_of_things.push_back(stuff) - adding a number of things to the set

我现在如何遍历集合并打印所有元素?

该集合是三元组的集合,因此输出应如下所示:

1 2 3 
3 4 5
4 5 6

2 个答案:

答案 0 :(得分:5)

这很简单,在C ++ 11中引入了新的基于范围的for循环:

for (auto const & v : set_of_things)
{
    for (auto it = v.cbegin(), e = v.cend(); it != e; ++it)
    {
        if (it != v.cbegin()) std::cout << " ";
        std::cout << *it;
    }
    std::cout << "\n";
}

如果你不介意尾随空格:

for (auto const & v : set_of_things)
{
    for (auto const & x : v)
    {
        std::cout << *it << " ";
    }
    std::cout << "\n";
}

或使用the pretty printer

#include <prettyprint.hpp>
#include <iostream>

std::cout << set_of_things << std::endl;

如果您有一个较旧的编译器,则必须根据迭代器拼写两次迭代。

答案 1 :(得分:1)

您使用迭代器:

for ( std::set<vector<int> >::iterator it = set_of_things.begin() ; 
      it != set_of_things.end() ; 
      it++ )
{
   // *it is a `vector<int>`
}

在C ++ 11中,您可以使用auto代替std::set<vector<int> >::iterator

如果您没有修改迭代器,则应使用const_iterator代替。