我有以下代码:
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
for
这对于 C++11 中引入的新的基于范围的循环来说是直截了当的:
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";
}
或者使用漂亮的打印机:
#include <prettyprint.hpp>
#include <iostream>
std::cout << set_of_things << std::endl;
如果您有一个较旧的编译器,则必须根据迭代器拼写出两个迭代。
您使用迭代器:
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
.
如果您不修改迭代器,则应使用 aconst_iterator
代替。