Leetcode刷题100天—107. 二叉树的层序遍历 II(二叉树)—day08
Posted 神的孩子都在歌唱
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Leetcode刷题100天—107. 二叉树的层序遍历 II(二叉树)—day08相关的知识,希望对你有一定的参考价值。
前言:
作者:神的孩子在歌唱
大家好,我叫运智
107. 二叉树的层序遍历 II
难度中等473收藏分享切换为英文接收动态反馈
给定一个二叉树,返回其节点值自底向上的层序遍历。 (即按从叶子节点所在层到根节点所在的层,逐层从左向右遍历)
例如:
给定二叉树 [3,9,20,null,null,15,7]
,
3
/ \\
9 20
/ \\
15 7
返回其自底向上的层序遍历为:
[
[15,7],
[9,20],
[3]
]
package 二叉树;
import java.util.ArrayList;
import java.util.Collections;
import java.util.LinkedList;
import java.util.List;
import java.util.Queue;
/*
* 7
* https://leetcode-cn.com/problems/binary-tree-level-order-traversal-ii/
*/
public class _107_二叉树的层序遍历II {
public List<List<Integer>> levelOrderBottom(TreeNode root) {
// 创建列表
List<List<Integer>> res=new ArrayList<List<Integer>>();
if(root==null) {
return res;
}
// 创建队列
Queue<TreeNode> queue=new LinkedList<TreeNode>();
// 将根节点放入队列
queue.offer(root);
// while循环判断队列是否为空
while(!queue.isEmpty()) {
// 在创建一个列表用于存放每一层的节点
List<Integer> res1=new ArrayList<Integer>();
// 获取队列元素个数
int queue_size=queue.size();
// for循环逐一取出
for (int i=0;i<queue_size;i++) {
// 出队
TreeNode node=queue.poll();
// 如果有左右节点就入队,由于队列是先进先出,所以后面来的元素不影响
if (node.left!=null) {
queue.offer(node.left);
}
if (node.right!=null) {
queue.offer(node.right);
}
res1.add(node.val);
}
// res.add(0,res1);也可以直接添加到尾部,不用反转
res.add(res1);
}
// 最后反转
Collections.reverse(res);
return res;
}
}
本人csdn博客:https://blog.csdn.net/weixin_46654114
转载说明:跟我说明,务必注明来源,附带本人博客连接。
以上是关于Leetcode刷题100天—107. 二叉树的层序遍历 II(二叉树)—day08的主要内容,如果未能解决你的问题,请参考以下文章
Leetcode刷题100天—94. 二叉树的中序遍历(二叉树)—day08