|
| 1 | +//Java implementation to check if given Binary tree |
| 2 | +//is a BST or not |
| 3 | + |
| 4 | +/* Class containing left and right child of current |
| 5 | +node and key value*/ |
| 6 | +class Node |
| 7 | +{ |
| 8 | + int data; |
| 9 | + Node left, right; |
| 10 | + |
| 11 | + public Node(int item) |
| 12 | + { |
| 13 | + data = item; |
| 14 | + left = right = null; |
| 15 | + } |
| 16 | +} |
| 17 | + |
| 18 | +public class BinaryTree |
| 19 | +{ |
| 20 | + //Root of the Binary Tree |
| 21 | + Node root; |
| 22 | + |
| 23 | + /* can give min and max value according to your code or |
| 24 | + can write a function to find min and max value of tree. */ |
| 25 | + |
| 26 | + /* returns true if given search tree is binary |
| 27 | + search tree (efficient version) */ |
| 28 | + boolean isBST() { |
| 29 | + return isBSTUtil(root, Integer.MIN_VALUE, |
| 30 | + Integer.MAX_VALUE); |
| 31 | + } |
| 32 | + |
| 33 | + /* Returns true if the given tree is a BST and its |
| 34 | + values are >= min and <= max. */ |
| 35 | + boolean isBSTUtil(Node node, int min, int max) |
| 36 | + { |
| 37 | + /* an empty tree is BST */ |
| 38 | + if (node == null) |
| 39 | + return true; |
| 40 | + |
| 41 | + /* false if this node violates the min/max constraints */ |
| 42 | + if (node.data < min || node.data > max) |
| 43 | + return false; |
| 44 | + |
| 45 | + /* otherwise check the subtrees recursively |
| 46 | + tightening the min/max constraints */ |
| 47 | + // Allow only distinct values |
| 48 | + return (isBSTUtil(node.left, min, node.data-1) && |
| 49 | + isBSTUtil(node.right, node.data+1, max)); |
| 50 | + } |
| 51 | + |
| 52 | + /* Driver program to test above functions */ |
| 53 | + public static void main(String args[]) |
| 54 | + { |
| 55 | + BinaryTree tree = new BinaryTree(); |
| 56 | + tree.root = new Node(4); |
| 57 | + tree.root.left = new Node(2); |
| 58 | + tree.root.right = new Node(5); |
| 59 | + tree.root.left.left = new Node(1); |
| 60 | + tree.root.left.right = new Node(3); |
| 61 | + |
| 62 | + if (tree.isBST()) |
| 63 | + System.out.println("IS BST"); |
| 64 | + else |
| 65 | + System.out.println("Not a BST"); |
| 66 | + } |
| 67 | +} |
0 commit comments