category-wise-problems

contains category wise problems(data structures, competitive) of popular platforms.

View the Project on GitHub mayankdutta/category-wise-problems

98. Validate Binary Search Tree

inorder

/**
 * 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:
    vector<int> ans;
    void inorder (TreeNode* root) {
        if (root == nullptr)
            return;
        inorder (root->left);
        ans.push_back(root->val);
        inorder (root->right);
    }
    bool isValidBST(TreeNode* root) {
        inorder(root);
        for (int i = 1; i < ans.size(); i++) {
            if (ans[i - 1] >= ans[i]) {
                return false;
            }
        }
        return true;
    }
};

MAX MIN

class Solution {
    public boolean isValidBST(TreeNode root, TreeNode min, TreeNode max) {
        if (root == null)
            return true;
        if (min != null && root.val <= min.val) return false;
        if (max != null && max.val <= root.val) return false;
        return isValidBST(root.left, min, root) &&
               isValidBST(root.right, root, max);
    }
    public boolean isValidBST(TreeNode root) {
        if (root == null)
            return true;
        return isValidBST(root, null, null);
    }
}