第16题:层序遍历一棵二叉树


欢迎转载,转载请务必注明出处:http://blog.csdn.net/alading2009/article/details/45151907


第16题:输入一棵二元树,从上往下按层打印树的每个结点,同一层中按照从左往右的顺序打印。

这里写图片描述

这里也是利用图的宽度优先遍历算法(BFS),所以在第15题的基础上进行简单地修改就得到了层序遍历算法


代码

package test016;

import common.BTNode;

import java.util.ArrayList;

/**
 * Created by cq on 2015/4/20.
 * 第16题:输入一棵二元树,从上往下按层打印树的每个结点,同一层中按照从左往右的顺序打印。
 */
public class Test016 {
    //层序遍历,依然是BFS的思想
    public static void levelorderTraversal(BTNode bTree){
        if (bTree == null){
            return;
        }

        BTNode currentBTNode = null;
        //使用ArrayList建一个队列,保存还未被遍历到的子树
        ArrayList<BTNode> untraversedBTrees = new ArrayList<BTNode>();
        untraversedBTrees.add(bTree);

        //只要存在未被遍历的子树,就继续循环
        while (!untraversedBTrees.isEmpty()){
            //取出第一个子树
            currentBTNode = untraversedBTrees.get(0);
            untraversedBTrees.remove(0);

            BTNode curLeft = currentBTNode.getLeft();
            BTNode curRight = currentBTNode.getRight();

            //向队列中添加新发现的子树
            if (curLeft != null){
                untraversedBTrees.add(curLeft);
            }
            if (curRight != null){
                untraversedBTrees.add(curRight);
            }
            System.out.print(currentBTNode.getValue()+" ");
        }
    }
    public static void main(String[] args){
        BTNode bTree = new BTNode(8);
        BTNode node2 = new BTNode(6);
        BTNode node3 = new BTNode(10);
        BTNode node4 = new BTNode(5);
        BTNode node5 = new BTNode(7);
        BTNode node6 = new BTNode(9);
        BTNode node7 = new BTNode(11);
        bTree.setLeft(node2);
        bTree.setRight(node3);
        node2.setLeft(node4);
        node2.setRight(node5);
        node3.setLeft(node6);
        node3.setRight(node7);

        levelorderTraversal(bTree);
        System.out.println();
    }
}



执行结果

Connected to the target VM, address: '127.0.0.1:7130', transport: 'socket'
Disconnected from the target VM, address: '127.0.0.1:7130', transport: 'socket'
8 6 10 5 7 9 11 

Process finished with exit code 0



接下来准备找个时间把做的题上传到GitHub,如有需要,方便下载,也顺便捣鼓捣鼓GitHub ^_^。

版权所有,转载请注明出处 http://www.cnblogs.com/read-the-spring-and-autumn-annals-in-night/
原文地址:https://www.cnblogs.com/read-the-spring-and-autumn-annals-in-night/p/12041980.html