力扣——二叉树的层次遍历
Posted jaypark
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了力扣——二叉树的层次遍历相关的知识,希望对你有一定的参考价值。
给定一个二叉树,返回其节点值自底向上的层次遍历。 (即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)
例如:
给定二叉树 [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>> lists = new ArrayList<>(); func(lists, 0, root); for (int i = 0, j = lists.size() - 1; i < j; i++, j--) { List<Integer> temp = lists.get(i); lists.set(i, lists.get(j)); lists.set(j, temp); } return lists; } private void func(List<List<Integer>> lists, int level, TreeNode root) { if (root == null) { return; } if (lists.size() == level) { List<Integer> list = new ArrayList<>(); list.add(root.val); lists.add(list); } else { lists.get(level).add(root.val); } func(lists, level + 1, root.left); func(lists, level + 1, root.right); } }
以上是关于力扣——二叉树的层次遍历的主要内容,如果未能解决你的问题,请参考以下文章