#pragma once #include "HashTable.h" #include namespace AK { template class HashMap { private: struct Entry { K key; V value; bool operator==(const Entry& other) { return key == other.key; } }; struct EntryTraits { static unsigned hash(const Entry& entry) { return Traits::hash(entry.key); } static void dump(const Entry& entry) { printf("key="); Traits::dump(entry.key); printf(" value="); Traits::dump(entry.value); } }; public: HashMap() { } HashMap(HashMap&& other) : m_table(std::move(other.m_table)) { } HashMap& operator=(HashMap&& other) { if (this != &other) { m_table = std::move(other.m_table); } return *this; } bool isEmpty() const { return m_table.isEmpty(); } unsigned size() const { return m_table.size(); } unsigned capacity() const { return m_table.capacity(); } void set(const K&, V&&); void remove(const K&); typedef HashTable HashTableType; typedef typename HashTableType::Iterator IteratorType; typedef typename HashTableType::ConstIterator ConstIteratorType; IteratorType begin() { return m_table.begin(); } IteratorType end() { return m_table.end(); } IteratorType find(const K&); ConstIteratorType begin() const { return m_table.begin(); } ConstIteratorType end() const { return m_table.end(); } ConstIteratorType find(const K&) const; void dump() const { m_table.dump(); } private: HashTable m_table; }; template void HashMap::set(const K& key, V&& value) { m_table.set(Entry{key, std::move(value)}); } template void HashMap::remove(const K& key) { Entry dummy { key, V() }; m_table.remove(dummy); } template auto HashMap::find(const K& key) -> IteratorType { Entry dummy { key, V() }; return m_table.find(dummy); } template auto HashMap::find(const K& key) const -> ConstIteratorType { Entry dummy { key, V() }; return m_table.find(dummy); } } using AK::HashMap;