Leetcode 1123. 最深叶节点的最近公共祖先

树的题往往第一反应都是用递归去做,但是这道题只能想到判空和叶子节点两个特殊情况,后面的都是看了题解写的。做完之后看了其他人的解法,感觉还是不太理解。目前我能理解的思路是:递归的本质就是把重点和核心表达出来,剩下的循环处理交给递归函数自己。这道题的核心在于分类讨论:

  1. 空节点 ----- 直接return NULL
  2. 叶子节点 ----- 直接return该节点自己
  3. 非叶节点 ----- 往较深的子树去遍历 ----- 二叉树只有左子树和右子树,一定是基于左右的遍历
    a). 左子树和右子树一样深 – 左右子树的根节点就是公共最先 – return root
    b). 左子树更深 – 对左子树进行递归调用
    c). 右子树更深 – 对右子树进行递归调用
    上述文字都可以直接转成代码,现在只有一处没法写代码的了,那就是比较深度需要先获取深度,所以还需要写一个getDepth函数,当然这个函数也可以递归去写。
class Solution {
public:
    int getDepth(TreeNode* root) {
        if (!root) return -1;
        if (!root->left && !root->right) return 0;
        return max(getDepth(root->left), getDepth(root->right)) + 1;
    }
    TreeNode* lcaDeepestLeaves(TreeNode* root) {
        if (!root) return NULL;
        if (!root->left && !root->right) return root;
        int depth_left = getDepth(root->left);
        int depth_right = getDepth(root->right);
        if (depth_left == depth_right) return root;
        return depth_left > depth_right ? lcaDeepestLeaves(root->left) : lcaDeepestLeaves(root->right);
    }
};

你可能感兴趣的:(算法,c++)