1145 Hashing - Average Search Time (25point(s))
- 题目:
把一个不同正整数组成的序列插入到一个哈希表中。然后从哈希表中找另一个给定的整数序列,并输出平均查找时间(the number of comparisons made to find whether or not the key is in the table)。
哈希函数是 H(key)=key%TSize
解决冲突的方式是二次探测,只用到正的增量。也就是说增量序列是1²,2²…(MSize-1)²,注意的是在最开始的位置上(key%MSzie)加增量然后再%MSize。(我一开始就直接累加,然后出错了)
当用户给的table size不是素数时,我们要把它变成大于它的最小素数。 - 思路:
主要数据结构用到了一个map<int,int> Hash存哈希表,第一个int是哈希值(0-MSize-1),第二个int存数据。
step1 确定MSize
step 2 插入给定数据到Hash中
step 3 计算第三行的序列中各数是否在Hash中,并计算查找次数
#include <iostream>
#include <stdio.h>
#include<stdlib.h>
#include <math.h>
#include <algorithm>
#include <vector>
#include <map>
#include <string>
#include<queue>
#include <unordered_map>
#include <set>
using namespace std;
map<int, int> Hash;
int N, M, MSize;
bool Prim(int n)
{
if (n == 1) return false;
if (n == 2) return true;
for (int i = 2; i <= sqrt(n) + 1; i++)
{
if (n%i == 0) return false;
}
return true;
}
int findPrim(int n)
{
if (Prim(n)) return n;
while (1)
{
++n;
if (Prim(n)) break;
}
return n;
}
int find(int key)
{
int cnt = 0;
int pos = key % MSize;
while (Hash.count(pos)) //返回第一个空位
{
if (Hash[pos] == key) break; //找到key所在位置
if (cnt > MSize-1) break;
++cnt;
pos = (key % MSize + cnt * cnt) % MSize; //注意pos的计算
}
return cnt;
}
void insert(int key)
{
if (Hash.size() < MSize)
{
int incre= find(key);
int pos =(key % MSize+ incre*incre) % MSize ;
if (!Hash.count(pos)) Hash[pos] = key;
}
}
int main() {
cin >> MSize >> N >> M;
MSize = findPrim(MSize);
//cout << MSize << endl;
int key;
for (int i = 0; i < N; i++)
{
cin >> key;
insert(key);
}
int cnt = 0;
for (int i = 0; i < M; i++)
{
cin >> key;
int inc = find(key);
//cout <<key<<" "<< inc << endl;
int pos= (key % MSize + inc * inc) % MSize;
if (Hash.count(pos) && Hash[pos] != key)
cout << key << " cannot be inserted." << endl;
cnt += find(key)+1;//注意+1
}
double ans = double(cnt) / M;
printf("%.1f\n", ans);
return 0;
}
总结一下:好久没做哈希表的题了,所以一上来Quadratic probing(二次探测)我就忘了啥意思,然后就是解决冲突时用到的增量序列i²,i的范围是[1,MSize-1],我学mooc的时候讲的上限是floor(double(MSize)/2),所以算出的平均查找时间和答案不对应,最后上限MSize-1是我换了几次上限之后试出来的。最后就是注意增量加在key%MSize上面,不要一直累加(find函数里面)。