【第八周】二叉树的最近公共祖先

剑指 Offer 68 - II. 二叉树的最近公共祖先

后序遍历

若节点 root 是节点 p 和 q 的最近公共祖先,则只可能为以下情况之一:

  • p 和 q 分别在 root 的左右子树中
  • p = root ,且 q 在 root 的左或右子树中
  • q = root ,且 p 在 root 的左或右子树中
class Solution {
    public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
        if (root == null || root == p || root == q) return root;
        TreeNode left = lowestCommonAncestor(root.left, p, q);
        TreeNode right = lowestCommonAncestor(root.right, p, q);
        if (left == null) return right;    // p 和 q 不在左子树中
        if (right == null) return left;    // p 和 q 不在右子树中
        return root;    // p 和 q 分别在左右子树
    }
}
  • 时间复杂度 O(n) :最差情况下,需要递归遍历树的所有节点。
  • 空间复杂度 O(n) :最差情况下,递归深度达到 n ,需要 O(n) 的额外空间。

你可能感兴趣的:(【第八周】二叉树的最近公共祖先)