liuyingbin19222 / leetcode_training

leetcode
0 stars 0 forks source link

验证二叉搜索树 #10

Open liuyingbin19222 opened 4 years ago

liuyingbin19222 commented 4 years ago

给定一个二叉树,判断其是否是一个有效的二叉搜索树。 假设一个二叉搜索树具有如下特征:

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

var isValidBST = function(root){ if(root == null) return true; return isValid(root.left) && isValid(root.right); }

liuyingbin19222 commented 4 years ago

将二叉树转换为数组 , 比较数组大小,进而判断是否符合二叉搜索树;

var tree2Arr = function(root){
    return root ? tree2Arr(root.left).concat(root.val,tree2Arr(root.right)):[];
}

var isValidBST = function(root) {
    if(root == null) return true;
    var myarr = tree2Arr(root);
    for(var i = 0 ;i < myarr.length-1;i++){
        if(myarr[i] >= myarr[i+1]){
            return false;
        }
    }
    return true;
};