#include <iostream>using namespace std;template<class E,class K>class HashTable{ public: HashTable(int divisor=11); ~HashTable(){delete[]ht;delete[]empty;} bool Search(const K&k,E&e)const;HashTable<E,K>& Insert(const E&e);int hSearch(const K&k)const;int D;//散列函數的除數E *ht;//散列數組bool *empty;//一維數組void Output(ostream& out)const;};//建構函式template<class E,class K>HashTable<E,K>::HashTable(int divisor){D = divisor;//分配散列數組ht = new E[D];empty=new bool[D];//將所有桶置空for (int i = 0;i<D;i++){empty[i]=true;}}//尋找一個開地址表//如果存在則返回k的位置//否則返回插入點(如果有足夠的空間)//hSearch滿足以下三種情況之一返回b號桶//1)empty[b]=false且ht[b]的關鍵字值為k//2)表中沒有關鍵字為k的元素,empty[b]=true,可把關鍵字為k的元素插入b號桶中//3)表中沒有關鍵字為k的元素,empty[b]為false,ht[b]的關鍵字值不等於k,且表已滿template<class E,class K>int HashTable<E,K>::hSearch(const K&k)const{int i = k%D;//起始桶int j=i;//從起始桶開始do{if(empty[j]||ht[j]==k)return j;j=(j+1)%D;//下一個桶} while (j!=i);//又返回起始桶return j;//表已經滿了}//搜尋與k相匹配的元素並放入e//如果不存在則返回falsetemplate<class E,class K>bool HashTable<E,K>::Search(const K&k,E&e)const{int b = hSearch(k);if(empty[b]||ht[b]!=k)return false;e=ht[b];return true;}//重載操作符 template<class E,class K> ostream& operator<<(ostream& out,const HashTable<E,K>&x){ x.Output(out); return out; } //輸出該跳錶的內容 template<class E,class K> void HashTable<E,K>::Output(ostream& out)const { for(int i =0;i<D;i++){ if(!empty[i])cout<<ht[i]<<" "; elsecout<<"NULL"<<" ";} cout<<endl; }class BadInput{ public: BadInput(){ cout<<"Bad Input!"<<endl; } }; class NoMem{ public: NoMem(){ cout<<"No Memory!"<<endl; } }; //在散列表中插入template<class E,class K>HashTable<E,K>& HashTable<E,K>::Insert(const E&e){K k = e;//抽取key值int b = hSearch(k);//檢查是否能完成插入if(empty[b]){empty[b]=false;ht[b]=e;return *this;}if (ht[b]==k)throw BadInput();throw NoMem();}int main(){HashTable<float,int>myHash;myHash.Insert(12);myHash.Insert(23);myHash.Insert(40);myHash.Insert(22);cout<<myHash<<endl;return 0;}