使用除留余数法计算哈希地址,使用拉链法解决哈希冲突,使用模板编程实现value为任意类型,但是key值只能是整型。链表使用C++STL库中的list,实现了一个简单的哈希表。
#include <iostream>
#include <vector>
#include <list>
#include <functional>using namespace std;static size_t CAPCITY = 13;using _Kty = int;
template <class _Vty> // value type>
class HashTable {
public:using Bucket = std::list<std::pair<_Kty, _Vty>>;HashTable(size_t cap = CAPCITY): _size(0), _capcity(cap), _buckets(cap){ }bool insert() {return true;}bool insert(std::pair<int, _Vty>&& pair) {size_t index = _Hash(pair.first);auto& list = _buckets[index];for (auto& [k, v] : list) {if (k == pair.first) {v = pair.second;return true;}}list.push_back(pair);return true;}_Vty get(const _Kty& key) {size_t index = _Hash(key);auto& list = _buckets[index];for (auto& pair : _buckets[index]) {if (pair.first == key) {return pair.second;}}return _Vty();}bool erase(_Kty key) {size_t index = _Hash(key);auto& list = _buckets[index];for (auto it = list.begin(); it != list.end(); ++it) {if ((*it).first == key) {list.erase(it);return true;}}return false;}
private:size_t _Hash(const _Kty& key) {return key % _capcity;}std::vector<Bucket> _buckets;size_t _size;const size_t _capcity;
};
不足之处
- 没有多种类型的key值选择,这是因为对计算哈希值没有深入研究;
- 没有动态扩容机制。
使用示例:
int main() {HashTable<std::string> ht(11);ht.insert(std::pair<int, std::string>(1, "hello"));ht.insert({ 2, "world" });ht.insert({ 3, "hi" });ht.insert({ 4, "bug" });std::cout << ht.get(1) << std::endl;std::cout << ht.get(2) << std::endl;std::cout << ht.get(3) << std::endl;ht.insert({ 1, "nihao" });std::cout << ht.get(1) << std::endl;ht.erase(1);std::cout << ht.get(1) << std::endl;
}