我正在使用泛型实现哈希表,比如在c#中实现的字典,但我陷入了哈希函数部分。我成功地在泛型中重写了Hash表的非泛型实现,但你会注意到我不知道如何散列Tkey。
class Node<T, U>
{
public T key;
public U value;
public Node<T, U> next;
public Node(T key, U value, Node<T, U> next)
{
this.key = key;
this.value = value;
this.next = next;
}
}
public class HashTable<T,U>
{
int length;
Node<T,U>[] buckets;
public HashTable(int length)
{
this.length = length;
buckets = new Node<T,U>[length];
}
public void Display()
{
for (int bucket = 0; bucket<buckets.Length; bucket++)
{
Node<T,U> current = buckets[bucket];
Console.Write(bucket + ":");
while (current != null)
{
Console.Write("["+current.key+","+current.value+"]");
current=current.next;
}
Console.WriteLine();
}
}
// private int Hash(T Tkey) ...
//// non-generic version of hash function
private int Hash(string str)
{
int h=0;
foreach(var s in str)
h=127*h+s;
return h%length;
}
////
public void Insert(T key, U value)
{
int bucket = Hash(key);
buckets[bucket] = new Node<T,U>(key, value, buckets[bucket]);
}
public U Search(T key)
{
Node<T,U> current = buckets[Hash(key)];
while (current != null)
{
if (current.key.Equals(key))
return current.value;
current= current.next;
}
throw new Exception(key+ "Not found");
}
答案 0 :(得分:3)
C#中的基础对象类带有GetHashCode()
方法,应该用于这些情况。
某些类具有良好的实现,其他类只是从System.Object
继承该方法,并且不会覆盖它。
来自MSDN文档:
GetHashCode
方法的默认实现不保证不同对象的唯一返回值。此外,.NET Framework不保证GetHashCode
方法的默认实现,并且它返回的值在不同版本的.NET Framework之间是相同的。因此,不得将此方法的默认实现用作散列目的的唯一对象标识符。
GetHashCode
方法可以被派生类型覆盖。值类型必须覆盖此方法,以提供适合该类型的哈希函数,并在哈希表中提供有用的分布。为了唯一性,哈希码必须基于实例字段或属性的值,而不是静态字段或属性。