欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Leetcode Maximum Depth of Binary Tree

程序员文章站 2024-02-12 22:54:40
...

Given a binary tree, find its maximum depth.

The maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node.



代码如下:

/**
 * 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 maxDepth(TreeNode* root) {
        if(root == NULL)
            return 0;
       int depth = 1;
       Depth(root,depth,1);
       return depth;
    }
    
    void Depth(TreeNode* root,int& depth,int count)
    {
        if(root == NULL)
            return;
            
        if(count > depth)
            depth = count;
        
        Depth(root->left,depth,count+1);
        Depth(root->right,depth,count+1);
    }
};
Leetcode Maximum Depth of Binary Tree

相关标签: leetcode