如何找到BST中最深的节点?

时间:2011-12-05 12:01:43

标签: c# visual-studio-2010 binary-tree binary-search-tree

private int Depth(TreeNode node)
{
    if (node == null)
    {
        return -1;
    }
    else
    {
        return 1 + Math.Max(Depth(node.LeftNode),Depth(node.RightNode));
    }
}

我写了找到最深节点的方法,但我不确定这个方法 这是找到最深节点的正确方法吗?

2 个答案:

答案 0 :(得分:3)

(假设您想得到的是树的高度,包括作为参数给出的节点)

对于空树(node == null),您的深度为-1。 对于具有1个节点的树,您将收到:

1 + max(-1, -1) = 0

等等,返回0应该可以解决问题,但一般的想法很好。

至于优化...如果你对这棵树知道的只是它的二叉树,那么这是你在节点中没有缓存高度时可以得到的最好的。

至于找到最接近的叶子,你可以使用BFS算法来有效地做到这一点,因为它将会水平发现节点,然后你可以在发现第一片叶子时停止。

BFS伪代码:

nodes.enqueue( tuple(node, 1)) //enqueue node with height == 1
while(nodes.count > 0)
{
  (node, h) = nodes.dequeue()
  if (node.left == null && node.right == null) return h; //If it's first leaf we've found, return it's height.

  //Enqueue our childs with their height
  if (node.left != null)
    nodes.enqueue(node.left, h+1);
  if (node.right != null)
    nodes.enqueue(node.right, h+1);
}

答案 1 :(得分:1)

BST的最深节点称为高度。

Here您可能会看到如何计算BST的高度。

基本上你拥有的是正确的。