其他分享
首页 > 其他分享> > 102.二叉树的层序遍历

102.二叉树的层序遍历

作者:互联网

文章目录

102.二叉树的层序遍历

题目

给你二叉树的根节点 root ,返回其节点值的 层序遍历 。 (即逐层地,从左到右访问所有节点)。

示例 1:

输入:root = [3,9,20,null,null,15,7]
输出:[[3],[9,20],[15,7]]

示例 2:

输入:root = [1]
输出:[[1]]

示例 3:

输入:root = []
输出:[]

提示:

树中节点数目在范围 [0, 2000] 内
-1000 <= Node.val <= 1000

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/binary-tree-level-order-traversal
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解-层次遍历BFS

使用队列实现的
第一个元素先入队,获取此时队里的元素数,也就是本层遍历的次数。开始遍历出队,边出队它的左右子节点入队,直到队为空停止。

class Solution {
    public List<List<Integer>> levelOrder(TreeNode root) {
        List<List<Integer>>  res = new ArrayList<>();
        if(root==null) return res;
        Queue <TreeNode> qu = new LinkedList <>();
        qu.offer(root); //根节点入队
        while(!qu.isEmpty()){
            List<Integer> tmp = new ArrayList<>();
            int count = qu.size();//本层的节点个数
            //遍历一层
            while(count-->0){ //本层节点出队,它的左右子节点入队
                TreeNode node = qu.poll();
                tmp.add(node.val);
                if(node.left!=null)qu.offer(node.left);
                if(node.right!=null) qu.offer(node.right); 
            }
            res.add(tmp);
            
        }
        return res;
    }
}

题解-BFS

因为需要节点从左到右输出,所以选择先序遍历
前序遍历是从

遍历的顺序是:3 -> 9 -> 3 -> 20 -> 15 -> 20 -> 7。

这里是不知道哪些节点是同一层的,所以参数加上一个depth表示当前的深度
每次遍历到一个新的depth时,结果数组中没有对应的 depth 的列表时,在结果数组中创建一个新的列表保存该 depth 的节点。

 List<List<Integer>>  res = new ArrayList<>();
if(res.length<depth){
 	List<Integer> tmp = new ArrayList<>();
 	res.add(tmp)
}

递归的终止条件

if(root==null) return;

递归的返回值和参数

参数:当前的节点root,当前的深度depth,结果集res
结果集作为参数传递了,所以不需要返回值了。

void dfs(TreeNode root, int depth, List<List<Integer>> res){
	if (root == null) return null;
	if(res.length<depth){
 	res.add(new ArrayList<Integer>());
	}
	res.get(depth).add(root.val);
	if(root.left !=null)dfs(root.left,depth+1,res);
	if(root.right!=null)dfs(root.right,depth+1,res);
}

代码

class Solution {
    public List<List<Integer>> levelOrder(TreeNode root) {
        List<List<Integer>> res = new ArrayList<>();
        if(root==null) return res;
        dfs(root,1,res); 
        return res;
    }
    void dfs(TreeNode root, int depth, List<List<Integer>> res){
	if (root == null) return ;
	if(res.size()<depth){
 	res.add(new ArrayList<Integer>());
	}
	res.get(depth-1).add(root.val);
	if(root.left !=null)dfs(root.left,depth+1,res);
	if(root.right!=null)dfs(root.right,depth+1,res);
    }
}

标签:遍历,res,层序,depth,二叉树,102,null,root,节点
来源: https://blog.csdn.net/qq_41370833/article/details/123246170