我需要迭代std::queue
。
www.cplusplus.com说:
默认情况下,如果没有为特定队列类指定容器类,则使用标准容器类模板deque。
那么我能以某种方式进入队列的底层deque并迭代它吗?
答案 0 :(得分:61)
如果您需要迭代queue
,那么您需要的不仅仅是队列。标准容器适配器的要点是提供最小的接口。如果你还需要进行迭代,为什么不使用deque(或列表)呢?
答案 1 :(得分:32)
虽然我同意其他人的看法,直接使用可迭代容器是首选解决方案,但我想指出,C ++标准可以保证为自己动手解决方案提供足够的支持,以防万一您出于任何原因需要它。< / p>
即,您可以从std::queue
继承并使用其受保护的成员Container c;
来访问底层容器的begin()和end()(前提是存在此类方法)。以下示例适用于VS 2010和tested with ideone:
#include <queue>
#include <deque>
#include <iostream>
template<typename T, typename Container=std::deque<T> >
class iterable_queue : public std::queue<T,Container>
{
public:
typedef typename Container::iterator iterator;
typedef typename Container::const_iterator const_iterator;
iterator begin() { return this->c.begin(); }
iterator end() { return this->c.end(); }
const_iterator begin() const { return this->c.begin(); }
const_iterator end() const { return this->c.end(); }
};
int main() {
iterable_queue<int> int_queue;
for(int i=0; i<10; ++i)
int_queue.push(i);
for(auto it=int_queue.begin(); it!=int_queue.end();++it)
std::cout << *it << "\n";
return 0;
}
答案 2 :(得分:9)
您可以将原始队列保存到临时队列。然后,您只需在临时队列上执行常规弹出即可浏览原始队列,例如:
queue tmp_q = original_q; //copy the original queue to the temporary queue
while (!tmp_q.empty())
{
q_element = tmp_q.front();
std::cout << q_element <<"\n";
tmp_q.pop();
}
最后,tmp_q将为空,但原始队列不受影响。
答案 3 :(得分:1)
为什么不制作要迭代的队列的副本,并一次删除一个项目,随时打印它们?如果你想在迭代时对元素做更多的事情,那么队列就是错误的数据结构。
答案 4 :(得分:1)
一个间接的解决方案是改为使用std :: deque。它支持队列的所有操作,您可以仅使用for(auto& x:qu)
对其进行迭代。比使用队列的临时副本进行迭代要高效得多。
答案 5 :(得分:0)
虽然Alexey Kukanov's answer可能更有效,但是您也可以通过非常自然的方式遍历队列,方法是从队列的前面弹出每个元素,然后将其推到后面:
#include <iostream>
#include <queue>
using namespace std;
int main() {
//populate queue
queue<int> q;
for (int i = 0; i < 10; ++i) q.push(i);
// iterate through queue
for (size_t i = 0; i < q.size(); ++i) {
int elem = std::move(q.front());
q.pop();
elem *= elem;
q.push(std::move(elem));
}
//print queue
while (!q.empty()) {
cout << q.front() << ' ';
q.pop();
}
}
输出:
0 1 4 9 16 25 36 49 64 81
答案 6 :(得分:-1)
如果你需要迭代一个队列......队列不是你需要的容器
你为什么选择队列?
你为什么不拿一个可以迭代的容器?
1.如果您选择了一个队列,那么您说要将容器包装到“队列”界面中: - 面前 - 背部 - 推 - 流行 - ......
如果您还想迭代,则队列的接口不正确。队列是一个适配器,它提供原始容器的受限子集
2.队列的定义是FIFO,根据定义,FIFO不可迭代
答案 7 :(得分:-1)
我用这样的东西。不是很复杂,但应该可以。
queue<int> tem;
while(!q1.empty()) // q1 is your initial queue.
{
int u = q1.front();
// do what you need to do with this value.
q1.pop();
tem.push(u);
}
while(!tem.empty())
{
int u = tem.front();
tem.pop();
q1.push(u); // putting it back in our original queue.
}
之所以起作用,是因为当您从q1弹出某项并将其推入tem时,它将成为tem的第一个元素。因此,最终tem成为q1的副本。
答案 8 :(得分:-2)
简而言之:否。
有一个hack,使用vector作为底层容器,因此queue::front
将返回有效引用,将其转换为指针迭代,直到&lt; = queue::back
答案 9 :(得分:-2)
std::queue
是容器适配器,您可以指定使用的容器(默认使用deque
)。如果您需要适配器之外的功能,那么只需直接使用deque
或其他容器。