如何在C#中使用递归检查二叉树是否是有效的二叉搜索树?
如果一棵树的所有左孩子都小于节点元素,并且所有右孩子都大于节点元素,那么它就是二叉搜索树。最初我们检查节点是否有任何值,如果节点为空,则我们认为是有效的二叉搜索树并返回真。在检查节点为空结果后,我们通过传递节点、最小值和最大值来调用递归方法isValidBST。如果根值小于min且根值大于max我们认为不是二叉搜索树并返回false否则我们通过传递左右值递归调用isValidBST方法,直到它检查所有节点
示例
public class TreesPgm{ public class Node{ public int Value; public Node LeftChild; public Node RightChild; public Node(int value){ this.Value = value; } public override String ToString(){ return "Node=" + Value; } } public bool isValidBST(Node root){ if (root == null){ return true; } return isValidBST(root, int.MinValue, int.MaxValue); } private bool isValidBST(Node root, int min, int max){ if (root == null){ return true; } if (root.Value <= min ||root.Value>= max){ return false; } return isValidBST(root.LeftChild, min, root.Value) && isValidBST(root.RightChild, root.Value, max); } }
输入
5 2 6 1 3输出结果
True