Implement the RandomizedSet class:
RandomizedSet() Initializes the RandomizedSet object.
bool insert(int val) Inserts an item val into the set if not present. Returns true if the item was not present, false otherwise.
bool remove(int val) Removes an item val from the set if present. Returns true if the item was present, false otherwise.
int getRandom() Returns a random element from the current set of elements (it’s guaranteed that at least one element exists when this method is called). Each element must have the same probability of being returned.
You must implement the functions of the class such that each function works in average O(1) time complexity.
Example 1:
Input
[“RandomizedSet”, “insert”, “remove”, “insert”, “getRandom”, “remove”, “insert”, “getRandom”]
[[], [1], [2], [2], [], [1], [2], []]
Output
[null, true, false, true, 2, true, false, 2]
Explanation
RandomizedSet randomizedSet = new RandomizedSet();
randomizedSet.insert(1); // Inserts 1 to the set. Returns true as 1 was inserted successfully.
randomizedSet.remove(2); // Returns false as 2 does not exist in the set.
randomizedSet.insert(2); // Inserts 2 to the set, returns true. Set now contains [1,2].
randomizedSet.getRandom(); // getRandom() should return either 1 or 2 randomly.
randomizedSet.remove(1); // Removes 1 from the set, returns true. Set now contains [2].
randomizedSet.insert(2); // 2 was already in the set, so return false.
randomizedSet.getRandom(); // Since 2 is the only number in the set, getRandom() will always return 2.
实现一个RandomizedSet类,它具有以下功能:
能在O(1)时间添加和删除元素,
并能在O(1)时间内,在现有的元素中随机(均匀分布)取一个。
添加元素时如果元素已经存在,返回false, 否则添加之后返回true.
删除元素也是一样,已经不存在的返回false, 否则删除完返回true.
在O(1)时间内添加和删除元素到是简单,一个hashset就搞定了。
问题在于如何在O(1)时间内随机返回现有数字中的一个,而且是均匀分布。
这里用Java, 不像cpp那样next函数可以直接指定偏移量从set中取值。
科普一下,random类中的nextInt(n)是从[0, n)中按均匀分布取值的。
把它当作下标的话,就只能从数组或list中取值了。
用数组不太现实,因为val的范围太广了,那么只能用list。
但是list有个问题,是它的删除不是O(1)的,因为要查找元素在哪,删除后还要移位。
那么问题就变成如何在O(1)时间从list中删除元素。
如果不需要查找,直接删除末尾的元素,类似pop,就是O(1),移位也省了.
那么就要把要删除的元素换到末尾去,
怎么在O(1)时间找到要删除的元素在哪呢,只需要在insert时记下它的下标。
所以需要一个hashmap.
换元素时,不要忘了更新hashmap中元素对应的下标。
class RandomizedSet {
HashMap<Integer,Integer> map;
List<Integer> arr;
Random rd;
public RandomizedSet() {
map = new HashMap<>();
arr = new ArrayList<>();
rd = new Random();
}
public boolean insert(int val) {
if(map.containsKey(val)) return false;
map.put(val,arr.size());
arr.add(val);
return true;
}
public boolean remove(int val) {
if(!map.containsKey(val)) return false;
int valIdx = map.get(val);
int lastItem = arr.get(arr.size()-1);
//把val放到最后面去,最后面的元素值放到valIdx处,然后直接移掉list的最后一个元素
arr.set(valIdx, lastItem);
map.put(lastItem, valIdx); //map中要更新lastItem的index
//arr.set(arr.size()-1, val); //反正都要remove了,还设置它干嘛
arr.remove(arr.size()-1);
map.remove(val);
return true;
}
public int getRandom() {
return arr.get(rd.nextInt(arr.size()));
}
}