leetcode传送通道
看了不少教程,感觉都是在介绍比较晦涩的递归和回溯概念,对小白很不友好。
其实按照解决思路写下来,自然就完成了。详细见代码注释,看不懂算我的。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
// 全局思想 三部分:根节点及其左右子树
// 1. 先看根节点是不是祖先
if(root==null || root==p || root==q){
return root;
}
// 2. 如果根节点是祖先,有没有更近的祖先呢
// 看看左子树
TreeNode left = lowestCommonAncestor(root.left, p, q);
// 看看右子树
TreeNode right = lowestCommonAncestor(root.right, p, q);
// 3. 如果有的话显然只会在一侧 判断一下
if(left==null){
return right;
}
if(right==null){
return left;
}
// 4. 如果没有更近的,默认还是返回root
return root;
}
}