已知左小于中,中小于右
因此对每个节点,比较其左右的值,如未知,拿MIN / MAX填补
另外,虽然这里没有用到:
Number.MIN_SAFE_INTEGER 与 Number.MAX_SAFE_INTEGER:
the maximum safe integer in JavaScript (2^53 - 1).
the minimum safe integer in JavaScript (-(2^53 - 1)).
/**
* Definition for a binary tree node.
* function TreeNode(val, left, right) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
*/
/**
* @param {TreeNode} root
* @return {boolean}
*/
var isValidBST = function(root) {
if (!root) {
return true;
}
const judgement = (root, l, r) => {
if (!root) return true;
// 相等时也是false;必须左<中<右
// 需确保 l 与 r 值不为null
// 此处不可改写成短路!!
// 若写成 (l && root.val <=l) || (r && root.val >= r)
// 则有可能因为 l === null 短路,而错过了 root.val 与 r 的判断!!!
if ((l !== null && root.val <= l) || (r !== null && root.val >= r)) {
return false;
}
return judgement(root.left, l, root.val) && judgement(root.right, root.val, r);
// 比较子节点与已知根节点的关系
// 对于left,其中l值沿用root的l,max变为root,类比二分法
// 对于right同理
// 注意此处传入的根节点,应为root.val 而非root!比较的是root的值
};
return judgement(root, null, null);
};
[1] https://leetcode.com/problems/validate-binary-search-tree/discuss/32117/My-JavaScript-solution