-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathLCA.java
66 lines (64 loc) · 1.73 KB
/
LCA.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
public class LCA {
static class BinaryTree {
int data;
BinaryTree left;
BinaryTree right;
BinaryTree(){
}
BinaryTree(int d){
this.data = d;
this.left = null;
this.right = null;
}
};
private static BinaryTree root;
private static BinaryTree find(BinaryTree root, BinaryTree a){
if(root == null){
return null;
}
if(root == a){
return root;
}
BinaryTree l1 = find(root.left, a);
BinaryTree l2 = find(root.right, a);
return l1 != null ? l1 : l2;
}
private static BinaryTree findLCAUtil(BinaryTree root, BinaryTree a,BinaryTree b){
BinaryTree a1 = find(root, a);
BinaryTree a2 = find(root, b);
if(a1 != null && a2 != null){
return findLCA(root, a1, a2);
}
return null;
}
private static BinaryTree findLCA(BinaryTree root, BinaryTree a,BinaryTree b){
if(root == null){
return null;
}
if(root == a || root == b){
return root;
}
BinaryTree leftLCA = findLCA(root.left,a,b);
BinaryTree rightLCA = findLCA(root.right,a,b);
if(leftLCA != null && rightLCA != null){
return root;
}
return leftLCA != null? leftLCA : rightLCA;
}
public static void main(String args[]){
root = new BinaryTree(10);
root.left = new BinaryTree(3);
root.left.left = new BinaryTree(2);
root.left.left.left = new BinaryTree(1);
root.left.left.right = new BinaryTree(4);
root.right = new BinaryTree(9);
root.right.right = new BinaryTree(7);
root.right.right.right = new BinaryTree(6);
root.right.right.left = new BinaryTree(5);
BinaryTree t1 = new BinaryTree(78);
BinaryTree t = findLCAUtil(root, root.left, t1);
if(t != null){
System.out.print(t.data+" ");
}
}
}