LeetCode 104. 二叉树的最大深度

首刷自解

思路:遍历左子树,每一层加一,如果该节点为空则返回;左边深度lmax,右边深度为rmax,返回max(lmax, rmax)。

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
int mx = 0;
public:
    int maxDepth(TreeNode* root) {
        if(!root) return 0;
        int lmax = 1 + maxDepth(root->left);
        int rmax = 1 + maxDepth(root->right);
        return max(lmax, rmax);
    }
};

//return root == nullptr ? 0 : max(maxDepth(root->left) + 1, maxDepth(root->right) + 1);

你可能感兴趣的:(LeetCode,简单,leetcode,算法,数据结构)