使用 Javascript 向哈希表添加元素
在哈希表中添加元素时,最关键的部分是碰撞解决办法。我们将使用链式法则来解决碰撞问题。这里有关于其他一些算法的介绍,你可以了解一下:https://en.wikipedia.org/wiki/Hash_table#Collision_resolution
现在,我们来看看该方法的实现方式。我们仅创建一个针对整数的哈希函数,以保持其简洁性。但是,可以使用更复杂的算法对每个对象进行哈希−
示例
put(key, value) { let hashCode = hash(key); for(let i = 0; i < this.container[hashCode].length; i ++) { // Replace the existing value with the given key // if it already exists if(this.container[hashCode][i].key === key) { this.container[hashCode][i].value = value; return; } } // Push the pair at the end of the array this.container[hashCode].push(new this.KVPair(key, value)); }
你可以使用以下命令进行测试:
示例
let ht = new HashTable(); ht.put(10, 94); ht.put(20, 72); ht.put(30, 1); ht.put(21, 6); ht.put(15, 21); ht.put(32, 34); ht.display();
输出
结果将如下所示:−
0: 1: 2: 3: 4: { 15: 21 } 5: 6: 7: 8: { 30: 1 } 9: { 20: 72 } 10: { 10: 94 } -->{ 21: 6 } -->{ 32: 34 }
广告