给定一课二叉查找树 (BST),找到其中指定两个点的最近公共祖先 (LCA)。
根据Wikipedia中LCA的定义 :“最近公共祖先定义为两个结点 p 和 q 之间,树中最低的结点同时拥有 p 和 q 作为后代(这里允许一个结点的后代为它本身)。
注意
树中每个结点的权值都是唯一的。
p 和 q是两个不同的结点,且其值必定在BST中出现。
样例
给定一棵二叉查找树: root = [6,2,8,0,4,7,9,null,null,3,5]
_______6______
/ \
___2__ ___8__
/ \ /
0 _4 7 9
/
3 5
Example 1:
Input: root = [6,2,8,0,4,7,9,null,null,3,5], p = 2, q = 8
Output: 6
解释: 结点 2 和 8 的最近公共祖先是 6。
Example 2:
Input: root = [6,2,8,0,4,7,9,null,null,3,5], p = 2, q = 4
Output: 2
解释: 结点 2 和 4 的最近公共祖先是 2, 因为根据后代结点的定义,一个结点的后代允许为它本身。
根据二叉排序树的性质,左子树小于根结点,右子树大于根结点,不能查找,直到,p,q分别位于做右子树,此时的根便是最近的祖先
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
if(!root) return 0;
if(root->val>max(p->val,q->val)) return lowestCommonAncestor(root->left,p,q);
if(root->val<min(p->val,q->val)) return lowestCommonAncestor(root->right,p,q);
else return root;
}
};