其他分享
首页 > 其他分享> > 二叉树的遍历

二叉树的遍历

作者:互联网

前序遍历

先输入相关信息,然后遍历左节点,最后遍历右节点。

void dfs(int s){
    if(s){
        cout<<s<<" ";
        dfs(lson[s]);
        dfs(rson[s]);
    }
}

中序遍历

先遍历左节点,然后输出该节点的相关信息,最后遍历右节点

void dfs(int s){
    if(s){
        dfs(lson[s]);
        cout<<s<<" ";
        dfs(rson[s]);
    }
}

后序遍历

先遍历左节点,然后遍历右节点,最后输出该节点相关信息

void dfs(int s){
    if(s){
        dfs(lson[s]);
        dfs(rson[s]);
        cout<<s<<" ";
    }
}

层序遍历

bfs即可

通过遍历顺序反推二叉树

如果只有前序遍历序列和后序遍历推不出原二叉树

主要思路
前序的第一个为根节点,后序的最后一个为根节点。
在中序中找到根节点,划分为左右子树。

以前序中序为例

int sol(int x,int y,int l,int r){//x,y表示中序序列的区间,l,r表示前序的
//返回当前子树的根节点
    int root=pre[l];
    if(x==y)return root;
    for(int i=x;i<=y;++i){//在中序中找到该节点
        if(in[i]==pre[l]){
            if(i-x>=1)lson[root]=sol(x,i-1,l+1,i-x+l);//左子树有节点才能遍历
            if(y-i>=1)rson[root]=sol(i+1,y,l+i-x+1,r);
        }
    }
}

标签:遍历,int,前序,dfs,二叉树,root,节点
来源: https://www.cnblogs.com/hetailang/p/16183204.html