forked from super30admin/Design-2
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathHashSet.java
63 lines (54 loc) · 1.48 KB
/
HashSet.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
/*
Time complexity : add : O(1)
remove O(1)
contains O(1)
Space Complexity : O(N) N = input size
Is worked on leetcode : YES
*/
class HashSet {
boolean [][] _set;
int buckets;
int bucket_items;
public MyHashSet() {
buckets=1001;
bucket_items=1000;
_set = new boolean[buckets][];
}
private int hash_1(int key){
System.out.println();
return key % buckets;
}
private int hash_2(int key){
return key / bucket_items;
}
public void add(int key) {
int bucket_no = hash_1(key);
if(_set[bucket_no] == null){
_set[bucket_no]= new boolean [bucket_items];
}
int bucket_item_no = hash_2(key);
_set[bucket_no][bucket_item_no] = true;
}
public void remove(int key) {
int bucket_no = hash_1(key);
int bucket_item_no = hash_2(key);
if(_set[bucket_no] != null){
_set[bucket_no][bucket_item_no] = false;
}
}
/** Returns true if this set contains the specified element */
public boolean contains(int key) {
int bucket_no = hash_1(key);
if(_set[bucket_no] != null){
return _set[bucket_no][bucket_item_no];
}
return false;
}
}
/**
* Your MyHashSet object will be instantiated and called as such:
* MyHashSet obj = new MyHashSet();
* obj.add(key);
* obj.remove(key);
* boolean param_3 = obj.contains(key);
*/