题目描述
解题思路:先序遍历,遇到合题就返回节点,没遇到就继续向下找,判断返回的左右子树是否合题,如果合题则输出。
解题代码:
import java.util.*;
public class Solution {
public int lowestCommonAncestor (TreeNode root, int p, int q) {
// write code here
TreeNode node = dfs(root,p,q);
return node.val;
}
public TreeNode dfs(TreeNode root, int p, int q){
if(root == null){
return root;
}
if(root.val == p || root.val == q){
return root;
}
TreeNode left = dfs(root.left, p, q);
TreeNode right = dfs(root.right, p, q);
if(left != null && right != null){
return root;
}
if(left!= null){
return left;
}
if(right != null){
return right;
}
return null;
}
}



