235. 二叉搜索树的最近公共祖先 - 力扣(LeetCode) (leetcode-cn.com)
思想:递归,二叉搜索树的特点是左子树小于根节点小于右子树,所以当p,q分别跨当前节点的左右子树时,当前节点即为最近的公共节点,否则,递归搜索左右子树。
class Solution {
public:
TreeNode* lowestCommonAncestor(TreeNode* root, TreeNode* p, TreeNode* q) {
if(root==NULL) return NULL;
if((root->val>=p->val&&root->val<=q->val)||(root->val<=p->val&&root->val>=q->val))
return root;
if(root->val>q->val)
return lowestCommonAncestor(root->left,p,q);
else
return lowestCommonAncestor(root->right,p,q);
}
};