/**
* struct TreeNode {
* int val;
* struct TreeNode *left;
* struct TreeNode *right;
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* };
*/
// 记录每个结点作为根节点时,这棵树中的的最大值和最小值,以及它本身是不是二叉搜索树
struct Info
{
int maxValue;
int minValue;
bool BST;
Info(int l, int r, bool b): maxValue(l),minValue(r),BST(b){}
};
class Solution {
public:
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param root TreeNode类
* @return bool布尔型
*/
bool isValidBST(TreeNode* root) {
return isBST(root).BST;
}
// 返回每个结点的info
Info isBST(TreeNode* root)
{
if(root == NULL) return Info(INT_MIN,INT_MAX,true);
Info isLeftBST = isBST(root->left);
Info isRightBST = isBST(root->right);
// 如果左子树是二叉搜索树 && 右子树是二叉搜索树 && 当前结点的值大于右子树中的最大值小于右子树中的最小值,返回true
bool isB = isLeftBST.BST && isRightBST.BST
&& (root->val > isLeftBST.maxValue && root->val < isRightBST.minValue);
// 更新当前这棵树中的最大值和最小值
int newMaxValue = root->right ? isRightBST.maxValue : root->val;
int newMinValue = root->left ? isLeftBST.minValue : root->val;
return Info(newMaxValue,newMinValue,isB);
}
};