我这样创建了一个字典:
Dictionary<byte[], MyClass> dic = new Dictionary<byte[], MyClass>();
该密钥假定为20个字节的SHA1哈希。因此,在将两个条目添加到该字典中之后,我与调试器进行了检查,并且它们都具有相同的字节数组键。
我以为字典不能做到这一点?
PS:这是我添加它们的方式:
string strText1 = "text";
SHA1 sha1_1 = new SHA1CryptoServiceProvider();
byte[] bytesHash1 = sha1_1.ComputeHash(System.Text.Encoding.UTF8.GetBytes(strText1));
string strText2 = "text";
SHA1 sha1_2 = new SHA1CryptoServiceProvider();
byte[] bytesHash2 = sha1_2.ComputeHash(System.Text.Encoding.UTF8.GetBytes(strText2));
dic.Add(bytesHash1, 1);
dic.Add(bytesHash2, 2);
最佳答案
字典无法做到这一点(键重复)。
但是,您的字典没有重复的键,因为比较器将byte[]
视为引用,有效地使用了指针而不是数组的内容。
如果要使用byte[]
作为键,可能最简单的解决方案是提供您自己的比较类,该类检查内容而不是参考值,例如:
public class BaComp: IEqualityComparer<byte[]> {
public bool Equals (byte[] left, byte[] right) {
// Handle case where one or both is null (equal only if both are null).
if ((left == null) || (right == null))
return (left == right);
// Otherwise compare array sequences of two non-null array refs.
return left.SequenceEqual (right);
}
public int GetHashCode (byte[] key) {
// Complain bitterly if null reference.
if (key == null)
throw new ArgumentNullException ();
// Otherwise just sum bytes in array (one option, there are others).
int rc = 0;
foreach (byte b in key)
rc += b;
return rc;
}
}
然后像这样使用它:
Dictionary<byte[], MyClass> dic = new Dictionary<byte[], MyClass> (new BaComp());