C#参考麻烦

时间:2010-02-12 13:00:30

标签: c# algorithm red-black-tree

我正在大学学习算法课程,对于我的一个项目,我想在C#中实现一个红黑树(实现本身不是项目,但我决定选择帮助我出去了。

我的红黑树应该包含字符串键,我为每个节点创建的对象如下所示:

class sRbTreeNode
{
    public sRbTreeNode Parent = null;
    public sRbTreeNode Right = null;
    public sRbTreeNode Left = null;
    public String Color;
    public String Key;

    public sRbTreeNode()
    {
    }

    public sRbTreeNode(String key)
    {
        Key = key;
    }
}

我已经添加了一些打印树的基本方法,找到root,min / max键(按字母表)等等。

我在插入节点时遇到问题(因此,构建树)。 熟悉红黑树的人都知道,在向一侧添加节点时,您可能已经改变了树的平衡。 要解决此问题,您需要围绕树上的节点“旋转”以平衡树。

我在伪代码中编写了一个RightRotate和LeftRotate方法,然后当我尝试在C#中实现它时,我遇到了一堆我创建的sRbTreeNode对象的引用问题。

这是我为LeftRotate方法编写的伪代码:

LeftRotate(root, node)
    y <- node.Right;
    node.Right <- y.Left;
    if (y.Left != null)
        y.Left.Parent <- node;
    y.Parent <- node.Parent;
    if (node.Parent = null)
        root <- y;
    else
        if (node = node.Parent.Left)
            node.Parent.Left = y;
        else
            node.Parent.Right = y;
    y.Left <- node;
    node.Parent <- y

我收到了一个直接实施的建议,但没有使用我首先尝试过的'ref'关键字。 这就是我做到的:

public static void LeftRotate(sRbTreeNode root, sRbTreeNode node)
    {
        sRbTreeNode y = node.Right;
        node.Right = y.Left;
        if (y.Left != null)
            y.Left.Parent = node;
        y.Parent = node.Parent;
        if (node.Parent == null)
            root = y;
        else
            if (node == node.Parent.Left)
                node.Parent.Left = y;
            else
                node.Parent.Right = y;
        y.Left = node;
        node.Parent = y;
    }

现在,当我调试时,我发现它工作正常,但我传递给此方法的对象只在该方法的范围内旋转。当它离开这个方法时,似乎实际节点没有变化。这就是为什么我想首先使用'ref'关键字。

我做错了什么?

3 个答案:

答案 0 :(得分:2)

因为在你的方法正文中你这样做:

root = y;

您需要使用root修饰符传递refnode不需要一个,因为node本身永远不会更新为指向不同的ndoe。

答案 1 :(得分:1)

我不明白为什么你应该对引用有任何问题 - 可以像在这个伪代码中一样复制Left / Right / Parent节点。

你应该能够毫不费力地将它扩展到C# - 除非你使用'ref'关键字,在这种情况下你很可能得到不可预测的结果。

也许你可以展示你到目前为止实际编写的代码,我们可以帮助调试它。

答案 2 :(得分:1)

我的建议:

  • 不包括父指针。它们对于插入或删除算法不是必不可少的,会使您的代码更加复杂。例如,LeftRotate只能使用一个参数编写,如果不使用父指针,则大约只有一半。
  • enum属性而不是Color使用string,并在构造函数中初始化它。
  • 如果您还没有,请阅读this article