leetcode 107. 二叉樹的層次遍歷 II(java)
阿新 • • 發佈:2018-11-26
給定一個二叉樹,返回其節點值自底向上的層次遍歷。 (即按從葉子節點所在層到根節點所在的層,逐層從左向右遍歷)
例如:
給定二叉樹 [3,9,20,null,null,15,7]
,
3
/ \
9 20
/ \
15 7
返回其自底向上的層次遍歷為:
[
[15,7],
[9,20],
[3]
]
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ class Solution { public List<List<Integer>> levelOrderBottom(TreeNode root) { List<List<Integer>> result=new ArrayList(); List<TreeNode> list=new ArrayList(); if(root==null) return result; list.add(root); while(!list.isEmpty()){ List<Integer> curList=new ArrayList();//每次當前層節點都要重新初始化 List<TreeNode> nextList=new ArrayList();//初始化下一層所有節點的list for(TreeNode cur:list){//cur是當前節點,list是當前層的所有節點 curList.add(cur.val); if(cur.left!=null) nextList.add(cur.left);//下一層節點 if(cur.right!=null) nextList.add(cur.right);//下一層節點 } list=nextList; result.add(0,curList);//當前層所有節點的list倒插進返回結果中 } return result; } }
為什麼要建立這麼多ArrayList呢?
首先,因為程式要求返回的是List<List<Integer>>,也就是說需要建立一個List<List<Integer>>的ArrayList用於返回,還需要一個List<Integer>向List<List<Integer>>中新增陣列,例 [[1],[2,3],[4,5,6]]。
然而只有Integer顯然不行,尋找當前節點的左孩子和右孩子當然需要TreeNode型別,所以有了程式中的 list 和 nextList。list表示當前層的所有節點,nextList表示下一層的所有節點。