我正在尝试解决二叉搜索树问题,但我无法通过所有测试用例。如果树是二叉搜索树,我需要返回true,否则,我需要返回false。我还需要检查重复项并确保右树中的每个值都大于根,并且左树中的每个值都小于根。
这是我想要解决的黑客挑战,链接在这里:https://www.hackerrank.com/challenges/ctci-is-binary-search-tree
正如我在第一个问题中所建议的那样,Is tree a binary search tree? 这是一个解决方案,它不检查重复项,或者右树中的每个值是否大于根,对左侧树也是如此。
对于重复项,我知道如何解决它,但不知道如何检查左侧树上的值是否小于root,右侧树上的值是否更大。
'''
class node:
def __init__(self, data):
self.data = data
self.left = None
self.right = None
'''
def checkBST(root):
if root == None or (root.left == None and root.right == None):
return True
elif root.right == None:
return root.left.data < root.data and checkBST(root.left)
elif root.left == None:
return root.right.data >= root.data and checkBST(root.right)
return checkBST(root.left) and checkBST(root.right)
答案 0 :(得分:0)
清晰,简洁,高效 JAVA 代码:如果你真正了解这种现象,递归很酷。我们的想法是验证树的每个节点,使其始终在最小值和最大值之间。以 Integer.MIN_VALUE 和 Integer.MAX_VALUE 作为min和max的初始输入开始。
public boolean isBinarySearch(Node root, int min, int max) {
if (root == null)
return true;
return ((min <= root.val && root.val <= max) && (isBinarySearch(
root.left, min, root.val) && isBinarySearch(root.right,
root.val, max)));
}
你也可以尝试一下。
class Node {
public Node left;
public Node right;
public int val;
public Node(int val) {
this.val = val;
}
}
现在执行此操作以运行该方法。
Node root2 = new Node(12);
root2.left = new Node(7);
root2.left.left = new Node(4);
root2.left.right = new Node(11);
root2.right = new Node(16);
root2.right.left = new Node(14);
root2.right.right = new Node(18);
root2.right.right.left = new Node(17);
System.out
.println("IsBinary="
+ wc.isBinarySearch(root2, Integer.MIN_VALUE,
Integer.MAX_VALUE));
}