剑指 offer 68 - 2 二叉树的最近公共祖先(递归)

1 题目描述

剑指 offer 68 - 2 二叉树的最近公共祖先(递归)_第1张图片

 

2 算法思路

思路:这题和上一题不同,上一题由于二叉搜索树的特性,因此更为简单,本题更为一般,因此必须遍历整个二叉树才行。

递归算法:

  1. 终止条件;
    1. 当超过叶子节点,返回null
    2. 当root等于q或者p,直接返回root
  2. 递归工作
    1. 递归左子树,返回值记为left
    2. 递归右子树,返回值记为right
  3. 返回值:
    1. 当left和right都为空,说明,root的左右子树中都不含p,q,返回null
    2. 当left和right都不为,说明p,q在两侧,返回root
    3. 当left为空,right不为空,说明右子树中含有p或q,返回right ,有下面两个情况
      1. p,q其中一个在右子树,此时right指向p
      2. p,q两个节点都在右子树中,right指向最近的公共祖先
    4. 当left不为空,right为空,同理

 

3 代码

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 && right == null)
            return null;
        if(left == null)
            return right;
        if(right == null)
            return left;
        return root;
    } 
}

 

4 提交结果

剑指 offer 68 - 2 二叉树的最近公共祖先(递归)_第2张图片

 

你可能感兴趣的:(剑指 offer 68 - 2 二叉树的最近公共祖先(递归))