递归搜索二进制树C#
本文关键字:二进制 搜索 递归 | 更新日期: 2023-09-27 18:22:00
我正在尝试找出这个程序是否可以检查二进制树是否是BST,
以下是代码:
public static bool isValidBST(Node root)
{
return isValid(root, root.Left.Value,
root.Right.Value);
}
private static bool isValid(Node node, int MIN, int MAX)
{
// tree with no childres is BST
if (node == null)
return true;
if (node.Value <= MIN || node.Value >= MAX)
return false;
return isValid(node.Left, MIN, node.Value) && isValid(node.Right, node.Value, MAX);
}
我认为我的代码中缺少了一些东西,例如,我认为这段代码不能在只有一个根和两个节点的树上工作。你们能帮我修复我的实现吗?
我还在stackoverflow 上找到了这个解决方案
private static bool isValid(Node node, int MIN, int MAX)
{
// tree with no childres is BST
if (node == null)
return true;
if (node.Value > MIN && node.Value < MAX
&& isValid(node.Left, MIN, Math.Min(node.Value, MAX))
&& isValid(node.Right, Math.Max(node.Value, MIN), MAX))
return true;
else
return false;
}
但是这对我一天都不起作用!
这就是我如何尝试代码:
public static void Main(string[] args)
{
Node n1 = new Node(1, null, null);
Node n3 = new Node(3, null, null);
Node n2 = new Node(2, n1, n3);
Console.WriteLine(isValidBST(n2));
Console.ReadLine();
}
结果为False,而应该为True。
您在解决方案的起点出现错误:
public static bool isValidBST(Node root)
{
return isValid(root, root.Left.Value,
root.Right.Value);
}
发送int.MaxValue
和int.MinValue
,而不是在递归函数中传递root.Left.Value
和root.Right.Value
。这样做至少有两个很好的理由:
- 如果根节点没有左边或右边的子节点,您的方法将导致NullReferenceException
- 通过传递
int.MaxValue
和int.MinValue
,您只需要从左到右的子对象小于/大于其父对象,而不需要其他边界。例如,您不应该关心第一个左子项是否大于某个特定值,它只需要小于根值即可!通过发送int.MinValue
,您可以确保它始终大于该值,因此您只是在检查上限