设计一种结构,在该结构中有如下三个功能:
insert(key):将某个key加入到该结构,做到不重复加入
delete(key):将原来在结构中的某个key移除
getRandom():等概率返回结构中的任何一个key
要求:时间复杂度都是O(1)
思路:
private HashMap<K, Integer> keyIndexMap; private HashMap<Integer, K> indexKeyMap; private int size; //初始化 public Pool() { this.keyIndexMap = new HashMap<K, Integer>(); this.indexKeyMap = new HashMap<Integer, K>(); this.size = 0; }
public void insert(K key) { if(!this.keyIndexMap.containsKey(key)) { this.keyIndexMap.put(key, size); this.indexKeyMap.put(size, key); size++; } }
public void delete(K key) { if(this.keyIndexMap.containsKey(key)) { int deleteIndex = this.keyIndexMap.get(key);//删除位置的索引 int lastIndex = --this,size;//最后一个key的索引 K lastKey = this.indexKeyMap.get(lastIndex);//最后一个key this.keyIndexMap.put(lastKey, deleteIndex); this.indexKeyMap.put(deleteIndex, lastKey); this.keyIndexMap.remove(key); this.indexKeyMap.remove(lastIndex); } }
public K getRandom() { if(this.size == 0) { return null; } //等概率0-size-1 int randomIndex = (int)(Math.random() * this.size); return this.indexKeyMap.get(randomIndex); }
讲布隆过滤器之前,先了解一下位图
int[100]:占用400个字节
long[100]:占用800个字节
bit[100]:占用100/8个字节
public static void main(String[] args){ //a实际上占32bit int a = 0; //32bit * 10 -> 320bits //arr[0] 可以表示0~31位bit //arr[1] 可以表示32~63位bit int[] arr = new int[10]; //想取得第178个bit的状态 int i = 178; //定位出第178位所对应的数组元素是哪个 int numIndex = i / 32; //定位出相应数组元素后,需要知道是数组元素的哪一位 int bitIndex = i % 32; //拿到第178位的状态 int s = ( (arr[numIndex] >> (bitIndex)) & 1); //把第i位的状态改成1 arr[numIndex] = arr[numIndex] | (1<<(bitIndex)); //把第i位的状态改成0 arr[numIndex] = arr[numIndex] & (~ (1 << bitIndex)); //把第i位拿出来 int bit = (arr[i/32] >> (i%32)) & 1; }
布隆过滤器就是一个大位图
有空在补,困死了
相关链接