-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathNumberOfTurnsInBinaryTree.java
109 lines (94 loc) · 3.26 KB
/
NumberOfTurnsInBinaryTree.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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
/*https://practice.geeksforgeeks.org/problems/number-of-turns-in-binary-tree/1*/
class Solution
{
static int count;
static int NumberOfTurns(Node root, int first, int second)
{
Node LCA = findLCA(root, first, second);
// there is no path between these two node
if (LCA == null)
return -1;
count = 0;
// case 1:
if (LCA.data != first && LCA.data != second) {
// count number of turns needs to reached
// the second node from LCA
if (countTurn(LCA.right, second, false)
|| countTurn(LCA.left, second, true))
;
// count number of turns needs to reached
// the first node from LCA
if (countTurn(LCA.left, first, true)
|| countTurn(LCA.right, first, false))
;
return count + 1;
}
// case 2:
if (LCA.data == first) {
// count number of turns needs to reached
// the second node from LCA
countTurn(LCA.right, second, false);
countTurn(LCA.left, second, true);
return count;
} else {
// count number of turns needs to reached
// the first node from LCA1
countTurn(LCA.right, first, false);
countTurn(LCA.left, first, true);
return count;
}
}
// Utility function to find the LCA of
// two given values n1 and n2.
static Node findLCA(Node root, int n1, int n2) {
// Base case
if (root == null)
return null;
// If either n1 or n2 matches with
// root's key, report the presence by
// returning root (Note that if a key
// is ancestor of other, then the
// ancestor key becomes LCA
if (root.data == n1 || root.data == n2)
return root;
// Look for keys in left and right subtrees
Node leftLca = findLCA(root.left, n1, n2);
Node rightLca = findLCA(root.right, n1, n2);
// If both of the above calls return
// Non-NULL, then one key is present
// in once subtree and other is present
// in other, So this node is the LCA
if (leftLca != null && rightLca != null)
return root;
// Otherwise check if left subtree or right
// subtree is LCA
return (leftLca != null) ? leftLca : rightLca;
}
// function count number of turn need to reach
// given node from it's LCA we have two way to
static boolean countTurn(Node root, int key, boolean turn) {
if (root == null)
return false;
// if found the key value in tree
if (root.data == key)
return true;
// Case 1:
if (turn == true) {
if (countTurn(root.left, key, turn))
return true;
if (countTurn(root.right, key, !turn)) {
count += 1;
return true;
}
} else // Case 2:
{
if (countTurn(root.right, key, turn))
return true;
if (countTurn(root.left, key, !turn)) {
count += 1;
return true;
}
}
return false;
}
}