树迭代c ++

时间:2009-09-21 16:55:14

标签: c++ binary-tree

在C ++中查找关于简单树迭代的示例,包括递归和迭代。 (发布,预先和有序)

3 个答案:

答案 0 :(得分:2)

This page显示了二叉树的示例以及如何迭代它。

答案 1 :(得分:2)

Adob​​e Source Library的adobe::forest<T>是一个通用的树容器,可以在pre-pre或or-order后迭代。该文档包含如何完成这些不同类型的迭代的示例。

答案 2 :(得分:2)

如果您的树看起来像这样:

struct Node{
    Node *left, *right, *parent;

    int value; // or some other important data :-)
}

然后这就是你如何进行递归的有序迭代:

void iterate(Node *n){
    if(!n)
        return;

    iterate(n->left);
    cout << n->value; // do something with the value
    iterate(n->right);
}

如果您使用n-&gt; left和n-&gt;右侧交换行,则树将以相反的顺序迭代。

这些是预购和后序迭代:

void iterate_pre(Node *n){
    if(!n)
        return;

    cout << n->value; // do something with the value
    iterate_pre(n->left);
    iterate_pre(n->right);
}

void iterate_post(Node *n){
    if(!n)
        return;

    iterate_post(n->left);
    iterate_post(n->right);
    cout << n->value; // do something with the value
}

非递归迭代有点复杂。 首先,您需要在树中找到第一个节点(如vector<T>::begin()

Node *find_first(Node *tree){
    Node *tmp;
    while(tree){
        tmp = tree;
        tree = tree->left
    }
    return tmp;
}

然后你需要一种方法来获取树的下一个项目(vector<T>::iterator::operator++())。

Node *next(Node *n){
    assert(n);

    if(n->right)
        return find_first(n->right)

    while(n->parent && n->parent->right == n)
        n = n->parent;

    if(!n->parent)
        return NULL;

    return n;
}

(此函数尝试在右子树中找到第一个节点,如果不可能,则向上移动树,直到路径来自右子树)