Leetcode 705. 设计哈希集合(链地址法)
作者:互联网
题目
不使用任何内建的哈希表库设计一个哈希集合(HashSet)。
实现 MyHashSet 类:
void add(key) 向哈希集合中插入值 key 。
bool contains(key) 返回哈希集合中是否存在这个值 key 。
void remove(key) 将给定值 key 从哈希集合中删除。如果哈希集合中没有这个值,什么也不做。
示例:
输入:
["MyHashSet", "add", "add", "contains", "contains", "add", "contains", "remove", "contains"]
[[], [1], [2], [1], [3], [2], [2], [2], [2]]
输出:
[null, null, null, true, false, null, true, null, false]
解释:
MyHashSet myHashSet = new MyHashSet();
myHashSet.add(1); // set = [1]
myHashSet.add(2); // set = [1, 2]
myHashSet.contains(1); // 返回 True
myHashSet.contains(3); // 返回 False ,(未找到)
myHashSet.add(2); // set = [1, 2]
myHashSet.contains(2); // 返回 True
myHashSet.remove(2); // set = [1]
myHashSet.contains(2); // 返回 False ,(已移除)
提示:
0 <= key <= 106
最多调用 104 次 add、remove 和 contains 。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/design-hashset
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
Java实现
class MyHashSet {
private LinkedList[] data;
private static final int BASE = 769;
// 链地址法
public MyHashSet() {
data = new LinkedList[BASE];
for (int i = 0; i < BASE; i++) {
data[i] = new LinkedList<Integer>();
}
}
public void add(int key) {
int h = hash(key);
// 这里不能只是普通的add,这题要求即可,所以要判断
Iterator<Integer> iterator = data[h].iterator();
while(iterator.hasNext()){
Integer next = iterator.next();
if(next==key){
return;
}
}
data[h].add(key);
// System.out.println(data[h].size());
}
public void remove(int key) {
int h = hash(key);
Iterator iterator = data[h].iterator();
while(iterator.hasNext()){
Object next = iterator.next();
if((Integer) next==key){
// 这里remove的必须是个object,所以这里的Iterator没有指定Integer类型,因为remove方法支持两种参数,Object o和int index,这里我们肯定按照元素删除而不是下标的
data[h].remove(next);
return;
}
}
}
public boolean contains(int key) {
int h = hash(key);
Iterator<Integer> iterator = data[h].iterator();
while(iterator.hasNext()){
Integer next = iterator.next();
if(next==key){
return true;
}
}
return false;
}
private int hash(int key){
return key%BASE;
}
}
标签:哈希,iterator,int,705,contains,next,add,key,Leetcode 来源: https://blog.csdn.net/weixin_43889841/article/details/121499477