给定一个二叉树,返回其节点值自底向上的层序遍历。 (即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)

    例如:
    给定二叉树 [3,9,20,null,null,15,7],
    V7~23R{BAM0(RB5$T_1OO0Y.png
    返回其自底向上的层序遍历为:
    ![YKCS5EH@R0J1QP@}CQFN%M.png

    1. /**
    2. * Definition for a binary tree node.
    3. * public class TreeNode {
    4. * int val;
    5. * TreeNode left;
    6. * TreeNode right;
    7. * TreeNode() {}
    8. * TreeNode(int val) { this.val = val; }
    9. * TreeNode(int val, TreeNode left, TreeNode right) {
    10. * this.val = val;
    11. * this.left = left;
    12. * this.right = right;
    13. * }
    14. * }
    15. */
    16. class Solution {
    17. public List<List<Integer>> levelOrderBottom(TreeNode root) {
    18. LinkedList<List<Integer>> res = new LinkedList<>();
    19. if(root == null){
    20. return res;
    21. }
    22. Queue<TreeNode> q = new LinkedList<>();
    23. q.add(root);
    24. while(q.size()>0){
    25. int size = q.size();
    26. List<Integer> list = new ArrayList<>();
    27. while(size>0){
    28. TreeNode cur = q.poll();
    29. list.add(cur.val);
    30. if( cur.left != null){
    31. q.add(cur.left);
    32. }
    33. if(cur.right!= null){
    34. q.add(cur.right);
    35. }
    36. size--;
    37. }
    38. res.addFirst(list);
    39. }
    40. return res;
    41. }
    42. }

    notes:实际就是层序遍历,用linkedList.addFirst() api每次层序遍历的往头结点插就可以了