我正在使用 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
}