1

我有一些形式:

struct Tree {
    string rule;
    list<Tree*> children;
}

我试图从这个 for 循环中打印出来。

for(list<Tree*>::iterator it=(t->children).begin(); it != (t->children).end(); it++) {
    // print out here
}
4

1 回答 1

5

你总是可以把递归变成迭代。这是一个辅助队列:

std::deque<Tree *> todo;

todo.push_back(t);

while (!todo.empty())
{
    Tree * p = todo.front();
    todo.pop_front();

    std::cout << p->rule << std::endl;

    todo.insert(todo.end(), p->children.begin(), p->children.end());
}

在 C++11 中,这当然是一个for循环:

for (std::deque<Tree *> todo { { t } }; !todo.empty(); )
{
    // ...
}
于 2012-11-13T04:04:08.683 回答