给定一个二叉树, 找到该树中两个指定节点的最近公共祖先。
百度百科中最近公共祖先的定义为:“对于有根树 T 的两个结点 p、q,最近公共祖先表示为一个结点 x,满足 x 是 p、q 的祖先且 x 的深度尽可能大(一个节点也可以是它自己的祖先)。”
题目链接:二叉树的最近公共祖先
解题思路:
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
private TreeNode lca=null;
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
if(root==null){
return null;
}
findNode(root,p,q);
return lca;
}
//看从root出发能不能找到p和q,只要找到一个,就返回true,都找不到返回false
public boolean findNode(TreeNode root,TreeNode p,TreeNode q){
if(root==null){
return false;
}
//递归按照后序遍历的方式来查找
int left=findNode(root.left,p,q)?1:0;
int right=findNode(root.right,p,q)?1:0;
int mid=(root==p||root==q)?1:0;
if(left+right+mid==2){
lca=root;
}
//如果三个位置之和为0表示没找到,返回false
//只要找到一个或者以上就返回true
return (left+right+mid)>0;
}
}