1

我正在使用 C# 编写一些模拟代码,并且我有一些代码如下:

public void predict(Point start, Point end)
{
    end.velocity = start.velocity + dt * end.acceleration;
    end.position = start.position + dt * end.velocity;
}

其中位置、速度、加速度是我用相关运算符定义的一些矢量数据类型。

以及我正在做的代码:

StartPoint = EndPoint;
EndPoint = CurrentPoint;

*Points 是具有多种原始(双精度)和非原始(向量)数据类型的点的实例。

我遇到了(明显的)问题,上面的代码很可能只是将 StartPoint 设置为指向以前是 EndPoint 的数据,而 EndPoint 将指向 CurrentPoint。

这意味着,如果我再次修改 CurrentPoint,我最终会意外修改 EndPoint。

在 C++ 中,这很容易防止,因为我可以定义我的赋值运算符来对我的 Point 对象中的基础数据进行深层复制。如何在 C# 中防止这种情况发生?

谢谢你的帮助!

编辑: Vector 类定义为

[Serializable]
public class Vector
{
    private Double[] data = new Double[Constants.Dimensions];

    ... snip ...

    public static Vector operator +(Vector lhs, Vector rhs)
    {
        Vector result = new Vector();
        for (UInt32 i = 0; i < Constants.dimensions; i++)
            result[i] = lhs[i] + rhs[i];
        return result;
    }

    lots more code here 
}
4

3 回答 3

2

这是 C# 设计恕我直言的最讨厌的问题之一。

如果 'Point' 是一个结构(值),则将制作成员副本,因此x = y将制作 y 的独立副本。但如果它是一个类(引用),x = y将简单地将引用 x 指向用于 y 的相同存储,因此两者将简单地成为相同数据的不同“别名”。

对于您的问题,我知道的两种解决方案是:

  • 使用结构。这将为您提供数学课所期望的值类型行为。为了使您的代码保持高效,您可能需要在任何地方通过引用传递以避免不断复制结构。

  • 使用类,但在使用 = 时要非常小心,以确保保留数据的独立副本。您需要更改x = y为其他内容,例如x = new Point(y);.

于 2011-01-20T07:13:40.380 回答
0

您可以使用 Clone(),然后根据需要实现深度复制吗?

StartPoint = EndPoint; 
EndPoint = (Point)CurrentPoint.Clone(); 
于 2011-01-20T06:45:00.503 回答
0

你想通过引用传递。您的方法当前是按值传递的,这意味着您的变量的值正在被复制。该方法将始终使用数据的副本。

要通过引用传递,请执行以下操作:

public void predict(ref Point start, ref Point end)
{
    end.velocity = start.velocity + dt * end.acceleration;
    end.position = start.position + dt * end.velocity;
}

然后,您必须使用 ref 关键字调用该方法,如下所示:

predict(ref start, ref end);
于 2011-01-20T06:51:35.523 回答