1、题目描述
输入一个整数数组,判断该数组是不是某二叉搜索树的后序遍历结果。如果是则返回 true,否则返回 false。假设输入的数组的任意两个数字都互不相同。
提示:数组长度 <= 1000
参考以下这颗二叉搜索树:
5
/ \
2 6
/ \
1 3
2、示例
输入: [1,6,3,2,5]
输出: false
输入: [1,3,2,6,5]
输出: true
3、题解
基本思想:单调栈,后序遍历的逆序是根-右-左,从根到右都是递增的,入栈;更新栈顶为root作为新的根节点判断,之后的左子树的每个节点,都要比子树的根要小,才能满足二叉搜索树,否则就不是二叉搜索树。
class Solution {
public:
bool verifyPostorder(vector<int>& postorder) {
stack<int> st;
int root=INT_MAX;
for(int i=postorder.size()-1;i>=0;i--)
{
if(postorder[i]>root)
return false;
while(!st.empty()&&postorder[i]<st.top())
{
root=st.top();
st.pop();
}
st.push(postorder[i]);
}
return true;
}
};