-
Notifications
You must be signed in to change notification settings - Fork 56
/
Copy pathBinaryTree.java
76 lines (58 loc) · 2.14 KB
/
BinaryTree.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
import java.util.*;
import java.util.Arrays;
public class BinaryTree {
public static void main(String[] args) {
//Initialize tree manually
BinaryTreeNode root = new BinaryTreeNode(1);
root.leftChild = new BinaryTreeNode(3);
root.rightChild = new BinaryTreeNode(8);
root.rightChild.rightChild = new BinaryTreeNode(4);
System.out.println(balance(root));
//Initialize and balance tree from array
int[] BinaryTreeArray = {1, 4, 3, 5, 6, 8, 2, 12, 4, 15, 6, 9};
BinaryTreeNode tree = createBinaryTree(BinaryTreeArray);
System.out.println(tree);
System.out.println(balance(tree));
}
public static BinaryTreeNode createBinaryTree(int[] binaryTreeArray){
if(binaryTreeArray.length == 0) return null;
if(binaryTreeArray.length == 1) return new BinaryTreeNode((int) binaryTreeArray[0]);
int mid = (binaryTreeArray.length)/2;
BinaryTreeNode root = new BinaryTreeNode((int) binaryTreeArray[mid]);
root.rightChild = createBinaryTree(Arrays.copyOfRange(binaryTreeArray, mid+1, binaryTreeArray.length));
root.leftChild = createBinaryTree(Arrays.copyOfRange(binaryTreeArray, 0, mid));
return root;
}
//
public static BinaryTreeNode balance(BinaryTreeNode tree){
return createBinaryTree(tree.toArray());
}
//TreeNode data structure
static class BinaryTreeNode{
public int val = -1;
public BinaryTreeNode leftChild;
public BinaryTreeNode rightChild;
public BinaryTreeNode(int val){
this.val = val;
leftChild = null;
rightChild = null;
}
public String toString(){
String left = leftChild == null ? "":leftChild.toString();
String right = rightChild == null ? "":rightChild.toString();
return val+" "+left+right;
}
public ArrayList<Integer> toArrayList(){
ArrayList<Integer> left = leftChild == null ? new ArrayList<Integer>():leftChild.toArrayList();
ArrayList<Integer> right = rightChild == null ? new ArrayList<Integer>():rightChild.toArrayList();
ArrayList<Integer> list = new ArrayList<Integer>();
list.add(val);
list.addAll(left);
list.addAll(right);
return list;
}
public int[] toArray(){
return toArrayList().stream().mapToInt(i -> i).toArray();
}
}
}