LeetCode-Tree-236-M: 二叉树的最近公共祖先

文章目录


给定一个二叉树, 找到该树中两个指定节点的最近公共祖先。

百度百科中最近公共祖先的定义为:“对于有根树 T 的两个结点 p、q,最近公共祖先表示为一个结点 x,满足 x 是 p、q 的祖先且 x 的深度尽可能大(一个节点也可以是它自己的祖先)。”

输入: root = [3,5,1,6,2,0,8,null,null,7,4], p = 5, q = 1
输出: 3
解释: 节点 5 和节点 1 的最近公共祖先是节点 3。

思路

LCS

解法

执行用时 :8 ms, 在所有 Java 提交中击败了99.76%的用户
内存消耗 :38.5 MB, 在所有 Java 提交中击败了5.96%的用户


https://leetcode.com/problems/lowest-common-ancestor-of-a-binary-tree/discuss/65225/4-lines-C%2B%2BJavaPythonRuby

class Solution {
    public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
        if (root == null || root == p || root == q) {
           return root;
        }

        return root;
        
        TreeNode left = lowestCommonAncestor(root.left, p, q);
        TreeNode right = lowestCommonAncestor(root.right, p, q);
        //return left == null ? right : right == null ? left : root;  explain  by :
        if(left == null){
        	return right;
        }     
        else if (right == null){
            return left;
        }
        else{
            return root;
        }

    }
}
发布了71 篇原创文章 · 获赞 16 · 访问量 1679

猜你喜欢

转载自blog.csdn.net/Xjheroin/article/details/104070711