我正在存储一个二维数组,它将向量之间的距离矩阵表示为Dictionary<DistanceCell, double>
. 我的实现DistanceCell
有两个字符串字段代表被比较的向量。
class DistanceCell
{
public string Group1 { get; private set; }
public string Group2 { get; private set; }
public DistanceCell(string group1, string group2)
{
if (group1 == null)
{
throw new ArgumentNullException("group1");
}
if (group2 == null)
{
throw new ArgumentNullException("group2");
}
this.Group1 = group1;
this.Group2 = group2;
}
}
由于我将此类用作键,因此我覆盖了Equals()
and GetHashCode()
:
public override bool Equals(object obj)
{
// False if the object is null
if (obj == null)
{
return false;
}
// Try casting to a DistanceCell. If it fails, return false;
DistanceCell cell = obj as DistanceCell;
if (cell == null)
{
return false;
}
return (this.Group1 == cell.Group1 && this.Group2 == cell.Group2)
|| (this.Group1 == cell.Group2 && this.Group2 == cell.Group1);
}
public bool Equals(DistanceCell cell)
{
if (cell == null)
{
return false;
}
return (this.Group1 == cell.Group1 && this.Group2 == cell.Group2)
|| (this.Group1 == cell.Group2 && this.Group2 == cell.Group1);
}
public static bool operator ==(DistanceCell a, DistanceCell b)
{
// If both are null, or both are same instance, return true.
if (System.Object.ReferenceEquals(a, b))
{
return true;
}
// If either is null, return false.
// Cast a and b to objects to check for null to avoid calling this operator method
// and causing an infinite loop.
if ((object)a == null || (object)b == null)
{
return false;
}
return (a.Group1 == b.Group1 && a.Group2 == b.Group2)
|| (a.Group1 == b.Group2 && a.Group2 == b.Group1);
}
public static bool operator !=(DistanceCell a, DistanceCell b)
{
return !(a == b);
}
public override int GetHashCode()
{
int hash;
unchecked
{
hash = Group1.GetHashCode() * Group2.GetHashCode();
}
return hash;
}
正如您所看到的,其中一个要求是DistanceCell
可以互换的。所以对于两个字符串and ,必须相等。这就是为什么我用乘法实现的原因,因为must equal 。Group1
Group2
x
y
DistanceCell("x", "y")
DistanceCell("y", "x")
GetHashCode()
DistanceCell("x", "y").GetHashCode()
DistanceCell("y", "x").GetHashCode()
我遇到的问题是它大约 90% 的时间都可以正常工作,但在其余时间它会抛出 aKeyNotFoundException
或 a 。NullReferenceException
前者在从字典中获取键时被抛出,后者在我使用循环遍历字典foreach
并检索一个空键时被抛出,然后它会尝试调用该键Equals()
。我怀疑这与我的GetHashCode()
实施中的错误有关,但我并不积极。另请注意,由于我的算法的性质,当我检查它时,永远不应该存在字典中不存在密钥的情况。该算法每次执行都采用相同的路径。
更新
我只是想告诉大家问题已解决。事实证明,这与我的 Equals() 或 GetHashCode() 实现无关。我做了一些广泛的调试,发现我得到 KeyNotFoundException 的原因是因为字典中首先不存在该键,这很奇怪,因为我确信它正在被添加。问题是我使用多个线程将键添加到字典中,据此,c# Dictionary 类不是线程安全的。因此,Add() 失败的时机一定是完美的,因此密钥从未添加到字典中。我相信这也可以解释 foreach 循环如何偶尔产生一个空键。添加()'
感谢每一个人的帮助!很抱歉,这完全是我的错。