-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathCheckIfSubtree.java
79 lines (77 loc) · 2.43 KB
/
CheckIfSubtree.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
/*https://practice.geeksforgeeks.org/problems/check-if-subtree/1*/
class Solution {
public static boolean match(Node T, Node S)
{
if (T == null && S == null) return true;
if (T == null || S == null) return false;
return (T.data == S.data) && match(T.left,S.left) && match(T.right,S.right);
}
public static boolean isSubtree(Node T, Node S) {
// add code here.
return match(T,S) || (T.left != null && isSubtree(T.left,S)) || (T.right != null && isSubtree(T.right,S));
}
}
/*
class Solution {
//ArrayList<Integer> pre;
//ArrayList<Integer> in;
StringBuffer inOrder;
StringBuffer preOrder;
Solution()
{
//pre = new ArrayList<Integer>();
//in = new ArrayList<Integer>();
preOrder = new StringBuffer("#");
inOrder = new StringBuffer("#");
}
public boolean isSubtree(Node T, Node S) {
// add code here.
Solution t = new Solution();
Solution s = new Solution();
new Solution().traverseAndStore(t,T);
new Solution().traverseAndStore(s,S);
String tStr = t.inOrder.toString();
String sStr = s.inOrder.toString();
//System.out.println(sStr);
boolean isInSub = false, isPreSub = false;
for (int i = 0; i <= tStr.length()-sStr.length(); ++i)
{
//System.out.println(tStr.substring(i,i+sStr.length()));
if (tStr.substring(i,i+sStr.length()).equals(sStr))
{
isInSub = true;
break;
}
}
tStr = t.preOrder.toString();
sStr = s.preOrder.toString();
for (int i = 0; i <= tStr.length()-sStr.length(); ++i)
{
//System.out.println(tStr.substring(i,i+sStr.length()));
if (tStr.substring(i,i+sStr.length()).equals(sStr))
{
isPreSub = true;
break;
}
}
return isInSub&&isPreSub;
}
public void traverseAndStore(Solution t, Node root)
{
if (root == null)
{
t.inOrder.append("N");
t.inOrder.append("#");
t.preOrder.append("N");
t.preOrder.append("#");
return;
}
t.preOrder.append(root.data);
t.preOrder.append("#");
traverseAndStore(t,root.left);
t.inOrder.append(root.data);
t.inOrder.append("#");
traverseAndStore(t,root.right);
}
}
*/