题目
从上往下打印出二叉树的每个节点,同层节点从左至右打印。
分析
采取递归的方法(有关二叉树的问题,第一先想着递归能否解决)
代码实现:
import java.util.ArrayList;
/**
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
ArrayList<Integer> res = new ArrayList<>();
public ArrayList<Integer> PrintFromTopToBottom(TreeNode root) {
if(root != null){
res.add(root.val);
print(root);
return res;
}
return res;
}
public void print(TreeNode tmp){
if(tmp != null){
if(tmp.left != null){
res.add(tmp.left.val);
}
if(tmp.right != null){
res.add(tmp.right.val);
}
print(tmp.left);
print(tmp.right);
}
}
}