Skip to content

Latest commit

 

History

History
103 lines (81 loc) · 2.51 KB

98-validate-binary-search-tree.md

File metadata and controls

103 lines (81 loc) · 2.51 KB

98. Validate Binary Search Tree - 验证二叉搜索树

给定一个二叉树,判断其是否是一个有效的二叉搜索树。

假设一个二叉搜索树具有如下特征:

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

示例 1:

输入:
    2
   / \
  1   3
输出: true

示例 2:

输入:
    5
   / \
  1   4
     / \
    3   6
输出: false
解释: 输入为: [5,1,4,null,null,3,6]。
     根节点的值为 5 ,但是其右子节点值为 4 。

题目标签:Tree / Depth-first Search

题目链接:LeetCode / LeetCode中国

题解

注意BST的定义,根节点比左子树所有节点大,比右子树所有节点小,而不是只和子节点比较。

BST重要性质:中序遍历数组是升序的。

Language Runtime Memory
cpp 4 ms 1.9 MB
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
static auto _ = [](){
    ios::sync_with_stdio(false);
    cin.tie(nullptr);
    return 0;
}();

class Solution {
public:
    void inorder(TreeNode* node, bool& res, int*& last) {
        if (!res) {
            return;
        }
        // cout << "[In] " << node->val << "  " << res << endl;
        if (node->left) {
            inorder(node->left, res, last);
        }

        if (last == nullptr || node->val > *last) {
            last = &(node->val);
        } else {
            res = false;
        }

        if (node->right) {
            inorder(node->right, res, last);
        }
        // cout << "[Out] " << node->val << "  " << res << endl;
    }

    bool isValidBST(TreeNode* root) {
        if (!root) { return true; }
        bool res = true;
        int* last = nullptr;
        inorder(root, res, last);
        // cout << "res: " << res << endl;
        return res;
    }
};