问:给定二叉搜索树(BST),找到BST中两个给定节点的最低共同祖先(LCA)。
根据维基百科上LCA的定义:“最低共同祖先在两个节点v和w之间定义为T中的最低节点,v和w都是后代(我们允许节点作为后代)本身)“。
我试着写两种方法来解决问题。第二个被接受,但我不明白为什么第一个是错的。
代码如下:
public class Solution {
public TreeNode lowestCommonAncestor(TreeNode root,TreeNode p,TreeNode q) {
int max = Math.max(p.val, q.val);
int min = Math.min(p.val, q.val);
while(max<root.val) {
root=root.left;
}
while (min>root.val) {
root=root.right;
}
return root;
}
}
public class Solution {
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
int max = Math.max(p.val, q.val);
int min = Math.min(p.val, q.val);
while (max<root.val||min>root.val) {
root=root.val<min?root.right:root.left;
}
return root;
}
}
如果我拆分while循环有什么区别吗?谢谢!
答案 0 :(得分:1)
原因是第一次尝试只是在它完成后向左移动,这意味着任何向右然后向左移动的目标节点都无法到达。
例如:
3 2 8 6 5 7 4
在上面的树中,4和7的最低共同祖先是6,但是无法达到。
答案 1 :(得分:0)
以下是基于您的第一个修改后的代码
public class Solution {
public TreeNode lowestCommonAncestor(TreeNode root,TreeNode p,TreeNode q) {
int max = Math.max(p.val, q.val);
int min = Math.min(p.val, q.val);
while (max<root.val&&min>root.val) {
root=root.val<min?root.right:root.left;
}
while(max<root.val) {
root=root.left;
}
while (min>root.val) {
root=root.right;
}
return root;
}
}