输入一个整数数组,判断该数组是不是某二叉搜索树的后序遍历结果。如果是则返回 true,否则返回 false。假设输入的数组的任意两个数字都互不相同。
二叉搜索树:
若它的左子树不空,则左子树上所有结点的值均小于它的根结点的值;
若它的右子树不空,则右子树上所有结点的值均大于它的根结点的值;
它的左、右子树也分别为二叉排序树。
5
/ \
2 6
/ \
1 3
后序遍历为[1,3,2,6,5]
class Solution {
public boolean verifyPostorder(int[] postorder) {
if (postorder == null) return false;
return isSearchTree(postorder, 0, postorder.length - 1);
}
private boolean isSearchTree(int[] postorder, int i, int j) {
if (i >= j) return true;
int p = i;
while(postorder[p] < postorder[j]) p++;
int m = p;
while(postorder[p] > postorder[j]) p++;
return p == j && isSearchTree(postorder, i, m - 1) && isSearchTree(postorder, m, j - 1);
}
}
网友评论