給定一個二叉樹截汪,找出其最小深度。
最小深度是從根節(jié)點到最近葉子節(jié)點的最短路徑上的節(jié)點數(shù)量滑绒。
說明: 葉子節(jié)點是指沒有子節(jié)點的節(jié)點捻勉。
示例:
給定二叉樹 [3,9,20,null,null,15,7],
3
/ \
9 20
/ \
15 7
返回它的最小深度 2.
C
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* };
*/
int minDepth(struct TreeNode* root){
if(root==NULL)
return 0;
else if(root->left == NULL&&root->right == NULL)
return 1;
else if(root->left == NULL && root->right != NULL)
return minDepth(root->right) + 1;
else if(root->right == NULL && root->left != NULL)
return minDepth(root->left) + 1;
else if(root->right != NULL && root->left != NULL){
int leftdepth = minDepth(root->left);
int rightdepth = minDepth(root->right);
if(leftdepth<rightdepth)
return leftdepth+1;
else
return rightdepth+1;
}
return 0;
}