给定一个二叉树,找出其最小深度。
最小深度是从根节点到最近叶子节点的最短路径上的节点数量。
说明: 叶子节点是指没有子节点的节点。
示例:
给定二叉树 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回它的最小深度 2.
链接:https://leetcode-cn.com/problems/minimum-depth-of-binary-tree
easy题目,看了提交记录,6年前提交了一次。今天又做了一次,然而使用的方法不同。
//https://leetcode-cn.com/problems/minimum-depth-of-binary-tree/
// 111. 二叉树的最小深度
int minDepth(TreeNode* root) {
if (root == NULL)
return 0;
queue<TreeNode*> q;
q.push(root);
int len = 1;
while (!q.empty())
{
int qsize = q.size();
for (int i = 0; i < qsize; i++)
{
TreeNode* p = q.front();
q.pop(); // 把上一层的都pop出去
if (p->left == NULL && p->right == NULL)
return len;
if (p->left != NULL)
{
q.push(p->left);
}
if (p->right != NULL)
{
q.push(p->right);
}
}
len++;
}
return len;
}
非递归的肯定是效率最高的,BFS
算法分析参考:https://labuladong.gitbook.io/algo/di-ling-zhang-bi-du-xi-lie/bfs-kuang-jia
6年前代码则是用了递归:
int minDepth(TreeNode *root) {
if (root == NULL)
return 0;
int a=0, b=0;
if (root->left &&root->right){
a = minDepth(root->left) + 1;
b = minDepth(root->right) + 1;
return a < b ? a : b;
}else
if (root->left && root->right==NULL){
return 1 + minDepth(root->left);
}else
if (root->right && root->left==NULL){
return 1 + minDepth(root->right);
}else
if (root->left == NULL && root->right == NULL){
return 1;
}
}