public class E33VerifySequenceOfBST {
private class BinaryTreeNode{
int value;
BinaryTreeNode left;
BinaryTreeNode right;
}
public static boolean verify(int[] sequence, int length){
if (sequence == null || length <= 0)
return false;
return verifyCore(sequence,0, length - 1);
}
private static boolean verifyCore(int[] sequence, int start, int end){
if (start >= end)
return true;
int root = sequence[end];
int i = 0;
for (; i < end; i ++){
if (sequence[i] > root)
break;
}
for (int j = i; j < end; j ++){
if (sequence[j] < root)
return false;
}
boolean left = true;
if (i > start)
left = verifyCore(sequence, start, i - 1);
boolean right = true;
if (i < end)
right = verifyCore(sequence, i, end - 1);
return left && right;
}
public static void main(String[] args){
int[] sequence1 = {5, 7, 6, 9, 11, 10, 8};
int[] sequence2 = {7, 4, 6, 5};
System.out.println(E33VerifySequenceOfBST.verify(sequence1, 7));
System.out.println(E33VerifySequenceOfBST.verify(sequence2, 4));
}
}