zoukankan      html  css  js  c++  java
  • 第33题:LeetCode255 Verify Preorder Sequence in Binary Search Tree 验证先序遍历是否符合二叉搜索树

    题目 

    输入一个整数数组,判断该数组是不是某二叉搜索树的后序遍历的结果。如果是则输出Yes,否则输出No。假设输入的数组的任意两个数字都互不相同。


    考点

    1.BST 二叉搜索树

    2.递归


    思路

      

    1.后序遍历,根节点是序列的最后一个。

    2.BST中左子树的值比根节点小,如果序列第一个数就比根节点大,说明没有左子树,break

    3.BST中右子树的值比根节点大,如果右子树有比根节点小的数,说明不是BST,return false

    4.递归 left=左子数,right=右子树

    5.return left&&right


    代码

    class Solution {
    public:
        bool VerifySquenceOfBST(vector<int> sequence) {
            //1.入口检查
            if(!sequence.size())
                return false;
            //2.根节点
            int root = sequence.back();
            auto itLeft=sequence.begin();
            
            
            //3.是否左子树都比根节点小 
            for( ;itLeft<(sequence.end()-1);itLeft++)
                {
                    if(*itLeft>root)
                        break;
                }
            auto itRight=itLeft;
            //4.是否右子树都比根节点大
            for(;itRight<(sequence.end()-1);itRight++)
                {
                    if(*itRight<root)
                        return false;
                }
            
            bool left=true;
            //5.如果存在左子树,递归检查该左子树是否是BST
            if(itLeft!=sequence.begin())
            {
                //检查左子树
                vector<int> lefttemp;
                for(int i=0;i<(itLeft-sequence.begin());i++)
                {
                    lefttemp.push_back(sequence.front());
                }
                left=VerifySquenceOfBST(lefttemp); 
            }
            
            
              bool right=true;
            //6.如果存在右子树,递归检查该右子树是否是BST
            if(itRight!=itLeft)
            {
                //将左子树去掉
                sequence.erase(sequence.begin(),itLeft);
                //去掉根结点
                sequence.pop_back();
                //检查右子树
                left=VerifySquenceOfBST(sequence); 
            }
            
            return left&&right;
        }
    };

    问题

  • 相关阅读:
    类属性、实例属性
    多态
    重载
    多继承
    继承介绍以及单继承
    析构
    构造
    self
    方法
    属性
  • 原文地址:https://www.cnblogs.com/lightmare/p/10398744.html
Copyright © 2011-2022 走看看