Skip to content

Instantly share code, notes, and snippets.

@darkrishabh
Created December 8, 2014 01:56
Show Gist options
  • Save darkrishabh/20b8b07b2f77b0d9b8c0 to your computer and use it in GitHub Desktop.
Save darkrishabh/20b8b07b2f77b0d9b8c0 to your computer and use it in GitHub Desktop.
Valid-BST JAVA code for Hacker rank Problem - https://www.hackerrank.com/challenges/valid-bst
import java.util.ArrayList;
import java.util.Scanner;
class Node<T> {
public int value;
public Node left;
public Node right;
public Node(int value) {
this.value = value;
}
}
class BinarySearchTree {
public Node root;
public ArrayList traverseList = new ArrayList();
public BinarySearchTree insert(int value) {
Node node = new Node(value);
if (root == null) {
root = node;
return this;
}
insertRec(root, node);
return this;
}
private void insertRec(Node latestRoot, Node node) {
if (latestRoot.value > node.value) {
if (latestRoot.left == null) {
latestRoot.left = node;
return;
} else {
insertRec(latestRoot.left, node);
}
} else {
if (latestRoot.right == null) {
latestRoot.right = node;
return;
} else {
insertRec(latestRoot.right, node);
}
}
}
public String printPreorder() {
printPreOrderRec(root);
return traverseList.toString();
}
private void printPreOrderRec(Node currRoot) {
if (currRoot == null) {
return;
}
traverseList.add(currRoot.value);
printPreOrderRec(currRoot.left);
printPreOrderRec(currRoot.right);
}
}
public class Solution {
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
int T = Integer.parseInt(in.nextLine());
for (int i = 0; i < T; i++) {
int N = Integer.parseInt(in.nextLine());
String s = in.nextLine();
String sp[] = s.split(" ");
BinarySearchTree bst = new BinarySearchTree();
ArrayList currentList = new ArrayList();
for(String m : sp){
bst.insert(Integer.parseInt(m));
currentList.add(Integer.parseInt(m));
}
if(currentList.toString().equalsIgnoreCase(bst.printPreorder())){
System.out.println("YES");
}
else{
System.out.println("NO");
}
}
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment