LeetCode 98. Validate Binary Search Tree

题意

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

一个二叉搜索树具有如下特征:
(1)节点的左子树只包含小于当前节点的数。
(2)节点的右子树只包含大于当前节点的数。
(3)所有左子树和右子树自身必须也是二叉搜索树。

解题思路

对于二叉搜索树,其中序遍历得到的是有序的序列。所以求二叉搜索树的中序遍历,判断序列是否有序就行了。

参考代码

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public String inOrder(TreeNode x){
        String ans = String.valueOf(x.val);
        if (x.left!=null) ans = inOrder(x.left) + "," + ans;
        if (x.right!=null) ans = ans + "," + inOrder(x.right);
        return ans;
    }
    public boolean isValidBST(TreeNode root) {
        if (root==null) return true;
        String str = inOrder(root);
        String[] s = str.split(",");
        for (int i=0;i1;i++) {
            int l = Integer.valueOf(s[i]);
            int r = Integer.valueOf(s[i+1]);
            if (l>=r)
                return false;
        }
        return true;
    }
}

你可能感兴趣的:(LeetCode,tree,LeetCode,LeetCode)