leetcode-104-maximum depth of binary tree

/**
 * 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 dl = maxDepth(root->left);
        int dr = maxDepth(root->right);
        
        return dl > dr ? dl + 1 : dr + 1;
    }
};

递归

猜你喜欢

转载自blog.csdn.net/vigorqq/article/details/80917903