树的最小深度
两种情况
- 节点为叶子节点(即无左右孩子),对该节点深度的贡献为1;(算深度为1)
- 节点存在分支(有孩子),对该节点的深度的贡献为左右孩子深度的最小值
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
int minDepth(TreeNode* root) {
if(root == NULL) return 0;
if(root->left == NULL ^ root->right == NULL)
return max(minDepth(root->left), minDepth(root->right)) + 1;
return min(minDepth(root->left), minDepth(root->right)) + 1;
}
};