本网页所有文字内容由 imapbox邮箱云存储,邮箱网盘, iurlBox网页地址收藏管理器 下载并得到。
ImapBox 邮箱网盘 工具地址: https://www.imapbox.com/download/ImapBox.5.5.1_Build20141205_CHS_Bit32.exe
PC6下载站地址:PC6下载站分流下载
本网页所有视频内容由 imoviebox边看边下-网页视频下载, iurlBox网页地址收藏管理器 下载并得到。
ImovieBox 网页视频 工具地址: https://www.imapbox.com/download/ImovieBox4.7.0_Build20141115_CHS.exe
本文章由: imapbox邮箱云存储,邮箱网盘,ImageBox 图片批量下载器,网页图片批量下载专家,网页图片批量下载器,获取到文章图片,imoviebox网页视频批量下载器,下载视频内容,为您提供.
题目
Given a binary tree, find its minimum depth.
The minimum depth is the number of nodes along the shortest path from the root node down to the nearest leaf node.
解答
求树的最小深度。类似Maximum Depth of Binary Tree,但递归法时,并不是只将max改为min就可以,必须增加一个叶子的判断,当某节点没有左或右节点时,不能取它左右子树中小的作为深度,因为那样会是0;
迭代法:用队列按层级遍历时,只要遇到叶子节点即可返回最低深度,代码如下:
/** * Definition for binary tree * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ //递归 public class Solution { public int minDepth(TreeNode root) { if(root==null){ return 0; } //注意当某节点没有左或右节点时,不能取它左右子树中小的作为深度,因为那样会是0, (加1是父节点) if(root.left==null){ return minDepth(root.right)+1; } if(root.right==null){ return minDepth(root.left)+1; } return Math.min(minDepth(root.left),minDepth(root.right))+1; } } //迭代 public int minDepth(TreeNode root){ if(root==null){ return 0; } Queue<TreeNode> queue=new LinkedList<TreeNode>(); Queue<Integer> counts=new LinkedList<Integer>(); queue.add(root); counts.add(1); while(!queue.isEmpty()){ TreeNode cur=queue.remove(); int count=counts.remove(); if(cur.left!=null){ queue.add(cur.left); counts.add(count+1); } if(cur.right!=null){ queue.add(cur.right); counts.add(count+1); } if(cur.left==null&&cur.right==null){ //遇到叶子节点就返回结果 return count; } } return 0; }
—EOF—
阅读和此文章类似的: 程序员专区