​LeetCode刷题实战255:验证前序遍历序列二叉搜索树

今天和大家聊的问题叫做 验证前序遍历序列二叉搜索树,我们先来看题面:https://leetcode-cn.com/problems/verify-preorder-sequence-in-binary-search-tree/

Given an array of numbers, verify whether it is the correct preorder traversal sequence of a binary search tree.


You may assume each number in the sequence is unique.


Follow up: Could you do it using only constant space complexity?

给定一个整数数组,你需要验证它是否是一个二叉搜索树正确的先序遍历序列。你可以假定该序列中的数都是不相同的。

​LeetCode刷题实战255:验证前序遍历序列二叉搜索树

示例

示例 1:
输入: [5,2,6,1,3]
输出: false

示例 2:
输入: [5,2,1,3,6]
输出: true

进阶挑战:
您能否使用恒定的空间复杂度来完成此题?

解题


由于二叉搜索树中,树上任何一个节点,它的值比所有的左子树大,比所有的右子树小遇到左子树时,全部入栈,遇到右子树时,将与其平级的左子树出栈【它具有大于平级左子树的性质】;出现出栈的时候,新来的元素必定是大于已经出栈的元素。

class Solution {
public:
    bool verifyPreorder(vector<int>& preorder) {
        if (!preorder.size()) return true;
        stack<int> s;
        s.push(preorder[0]);
        int temp = -1e10;
        for (int i=1;i<preorder.size();i++)
        {
            if (preorder[i] < temp) return false;
            while(!s.empty() && preorder[i] > s.top())
            {
                temp=s.top();
                s.pop();
            }
            s.push(preorder[i]);
        }
        return true;
    }
};

好了,今天的文章就到这里,如果觉得有所收获,请顺手点个在看或者转发吧,你们的支持是我最大的动力 。

上一篇:中软酒店管理系统CSHIS操作手册_数据结构_数据字典


下一篇:【小Y学算法】⚡️每日LeetCode打卡⚡️——25.二叉树的中序遍历