剑指offer----从上网下打印二叉树

题目:从上往下打印出二叉树的每个节点,同层节点从左至右打印。

/**
public class TreeNode {
    int val = 0;
    TreeNode left = null;
    TreeNode right = null;

    public TreeNode(int val) {
        this.val = val;

    }

}
*/

二叉树的广度优先遍历----队列实现
二叉树的深度优先遍历----栈实现(递归)

public class Solution {
    public ArrayList PrintFromTopToBottom(TreeNode root) {
        ArrayList array = new ArrayList<>();
        if(root == null){
            return array;
        }
        Queue queue = new LinkedList<>();
        queue.add(root);
        while(!queue.isEmpty()){
            root = queue.poll();
            array.add(root.val);
            if(root.left != null){
                queue.add(root.left);
            }
            if(root.right != null){
                queue.add(root.right);
            }
        }
        return array;
    }
}

你可能感兴趣的:(剑指offer----从上网下打印二叉树)