<leetcode>98.验证二叉搜索树——递归

给你一个二叉树的根节点 root ,判断其是否是一个有效的二叉搜索树。

有效 二叉搜索树定义如下:

节点的左子树只包含 小于 当前节点的数。
节点的右子树只包含 大于 当前节点的数。
所有左子树和右子树自身必须也是二叉搜索树。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/validate-binary-search-tree

解答:递归
中序遍历后检测数组是否为升序数组

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    void helper(TreeNode* root, vector<int>& pre){
        if(root == nullptr) return;
        helper(root->left, pre);
        pre.emplace_back(root->val);
        helper(root->right, pre);
    }

    bool isValidBST(TreeNode* root) {
        vector<int> pre, cur;
        unordered_set<int> cnt;
        helper(root, pre);
        for(int i = 1; i < pre.size(); i++){
            if(pre[i] <= pre[i - 1]){
                return false;
            }
        }
        return true;
    }
};

你可能感兴趣的:(leetcode,c++,leetcode,算法,数据结构,职场和发展)