题目描述;
给定一个二叉树,找出其最小深度。
二叉树的最小深度为根节点到最近叶子节点的距离。
解题思路:
这个题目比较简单。
对于二叉树的问题,首先想到的是采用递归,广度优先搜索。
一个节点一个节点地遍历,直到第一次找到叶子节点为止。
注意编程的细节,代码里面有注释
参考代码:(C++)
<span style="font-size:18px;">/** * Definition of TreeNode: * class TreeNode { * public: * int val; * TreeNode *left, *right; * TreeNode(int val) { * this->val = val; * this->left = this->right = NULL; * } * } */ class Solution { public: /** * @param root: The root of binary tree. * @return: An integer */ int minDepth(TreeNode *root) { // write your code here if(root == NULL) return 0;//这里直接返回0 是因为根节点为空,左右子树都为空 return getMin(root);//递归调用 } int getMin(TreeNode *root) { if (root == NULL) { return INT_MAX; //这里为什么是INT_MAX 是因为某个左子树或者右子树为空的情况 但是不全为空 } //如果左右子树都为空则返回1 if (root->left == NULL && root->right == NULL) { return 1; } //递归调用 选左右子树小的加1 return min(getMin(root->left), getMin(root->right)) + 1; } };
时间: 2024-10-11 10:56:39