data:image/s3,"s3://crabby-images/96143/961430eb5c81812893fc28a4bfc753acd584847f" alt=""
解题思路
非二叉排序树的公共节点,只能用递归,因为非递归必须while
首先明确递归的终止条件,个人感觉,返回值为root的,都是递归终止条件
l=lowestCommonAncestor(root.left,p,q),l其实就是代表去遍历左子树
一共四种情况,一旦出现==null,就代表该子树,没有p和q(都没有):
1.如果l==null&&r==null,代表左右子树都找不到p或q,那只能返回null
data:image/s3,"s3://crabby-images/af879/af879bca579d3567ba7464c1184e64ad4cd4e7bf" alt=""
2:如果l!=null&&r!=null,代表当前的root就是要找的最近公共祖先节点
如图是找4,5
data:image/s3,"s3://crabby-images/45dae/45dae3714906faee19eeedef9f81b19a65a99c90" alt=""
3:如果l==null&&r!=null,说明p,q都在右子树,那返回一个右子树
4:同3
从根节点开始只有左子树,所以当left=p或q,就会返回root,这样会出现只有left,而right为null的情况
data:image/s3,"s3://crabby-images/fb0d9/fb0d98f4c649e65a5ca0a8c22ac19eeb0f7e06ac" alt=""
代码
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {//非二叉排序树的公共节点,只能用递归,因为非递归必须while,判断
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
if(root==null||root==p||root==q) return root;//递归的终止条件
TreeNode l=lowestCommonAncestor(root.left,p,q);
TreeNode r=lowestCommonAncestor(root.right,p,q);
if(l==null&&r==null) return null;//判断是否为空
else if(l!=null&&r!=null) return root;
else if(l==null&&r!=null) return r;
else if(l!=null&&r==null) return l;
return root;
}
}
网友评论