关于二叉搜索树实现的问题

时间:2018-09-02 13:20:32

标签: c# binary-search-tree method-call

我正在尝试学习C#中数据算法的基础,并且在实现下面的二进制搜索树添加过程中,我陷入了以下理解:调用tree1.add(20);方法时,在while循环的第一次迭代中,current.Data的值为50,在循环的第二次迭代中,相同的current.Data的值变为40。 为什么current.Data的值在第一次迭代后没有停留在50的值上?current.Data收到40的过程是什么?

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;

namespace BinarySearchTree
{
public class Node
{
    public int Data;
    public Node LeftChild;
    public Node RightChild;
}

public class BinarySearchTree
{
    public Node root;
    public BinarySearchTree()
    {
        root = null;
    }
    public void add(int data)
    {
        Node newNode = new Node();
        newNode.Data = data;
        if (root == null)
        {
            root = newNode;
        }
        else
        {
            Node current = root;
            Node parent;
            while (true)
            {
                parent = current;
                if (data < current.Data)
                {
                    current = current.LeftChild;
                    if (current == null)
                    {
                        parent.LeftChild = newNode;
                        break;
                    }
                }
                else
                {
                    current = current.RightChild;
                    if (current == null)
                    {
                        parent.RightChild = newNode;
                        break;
                    }
                }
            }
        }
    }
}


class Program
{
    static void Main(string[] args)
    {
        BinarySearchTree tree1 = new BinarySearchTree();
        tree1.add(50);
        tree1.add(40);
        tree1.add(60);
        tree1.add(20);
        tree1.add(45);
        tree1.add(55);
        tree1.add(65);

        Console.ReadLine();
    }
}
}

1 个答案:

答案 0 :(得分:2)

答案就在这里

while (true)
{
   parent = current;
   if (data < current.Data)
   {
      current = current.LeftChild; // THIS LINE
      if (current == null)
      {
         parent.LeftChild = newNode;
         break;
      }
   }

如您所见,电流正在被重估,现在它是它自身的左“子级”。在前3次add使用之后,树应如下所示:

     50
    /  \
  40   60

因此,第一次迭代-当前为50,第二次迭代,它移到左侧(BST的定义),并变为40。下一个迭代电流将包含NULL(40的左孩子),并将其放置在BST内。