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 averageO(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.
Constraints:
-231 <= val <= 231 - 1
At most 2 * 105 calls will be made to insert, remove, and getRandom.
There will be at least one element in the data structure when getRandom is called.
Solutions
Solution 1: Hash Table + Dynamic List
We define a dynamic list $q$ to store the elements in the set, and a hash table $d$ to store the index of each element in $q$.
When inserting an element, if the element already exists in the hash table $d$, return false directly; otherwise, we insert the element into the end of the dynamic list $q$, and insert the element and its index in $q$ into the hash table $d$ at the same time, and finally return true.
When deleting an element, if the element does not exist in the hash table $d$, return false directly; otherwise, we obtain the index of the element in the list $q$ from the hash table, then swap the last element $q[-1]$ in the list $q$ with $q[i]$, and then update the index of $q[-1]$ in the hash table to $i$. Then delete the last element in $q$, and remove the element from the hash table at the same time, and finally return true.
When getting a random element, we can randomly select an element from the dynamic list $q$ and return it.
Time complexity $O(1)$, space complexity $O(n)$, where $n$ is the number of elements in the set.
classRandomizedSet:def__init__(self):self.d={}self.q=[]definsert(self,val:int)->bool:ifvalinself.d:returnFalseself.d[val]=len(self.q)self.q.append(val)returnTruedefremove(self,val:int)->bool:ifvalnotinself.d:returnFalsei=self.d[val]self.d[self.q[-1]]=iself.q[i]=self.q[-1]self.q.pop()self.d.pop(val)returnTruedefgetRandom(self)->int:returnchoice(self.q)# Your RandomizedSet object will be instantiated and called as such:# obj = RandomizedSet()# param_1 = obj.insert(val)# param_2 = obj.remove(val)# param_3 = obj.getRandom()
classRandomizedSet{privateMap<Integer,Integer>d=newHashMap<>();privateList<Integer>q=newArrayList<>();privateRandomrnd=newRandom();publicRandomizedSet(){}publicbooleaninsert(intval){if(d.containsKey(val)){returnfalse;}d.put(val,q.size());q.add(val);returntrue;}publicbooleanremove(intval){if(!d.containsKey(val)){returnfalse;}inti=d.get(val);d.put(q.get(q.size()-1),i);q.set(i,q.get(q.size()-1));q.remove(q.size()-1);d.remove(val);returntrue;}publicintgetRandom(){returnq.get(rnd.nextInt(q.size()));}}/** * Your RandomizedSet object will be instantiated and called as such: * RandomizedSet obj = new RandomizedSet(); * boolean param_1 = obj.insert(val); * boolean param_2 = obj.remove(val); * int param_3 = obj.getRandom(); */
classRandomizedSet{public:RandomizedSet(){}boolinsert(intval){if(d.count(val)){returnfalse;}d[val]=q.size();q.push_back(val);returntrue;}boolremove(intval){if(!d.count(val)){returnfalse;}inti=d[val];d[q.back()]=i;q[i]=q.back();q.pop_back();d.erase(val);returntrue;}intgetRandom(){returnq[rand()%q.size()];}private:unordered_map<int,int>d;vector<int>q;};/** * Your RandomizedSet object will be instantiated and called as such: * RandomizedSet* obj = new RandomizedSet(); * bool param_1 = obj->insert(val); * bool param_2 = obj->remove(val); * int param_3 = obj->getRandom(); */
typeRandomizedSetstruct{dmap[int]intq[]int}funcConstructor()RandomizedSet{returnRandomizedSet{map[int]int{},[]int{}}}func(this*RandomizedSet)Insert(valint)bool{if_,ok:=this.d[val];ok{returnfalse}this.d[val]=len(this.q)this.q=append(this.q,val)returntrue}func(this*RandomizedSet)Remove(valint)bool{if_,ok:=this.d[val];!ok{returnfalse}i:=this.d[val]this.d[this.q[len(this.q)-1]]=ithis.q[i]=this.q[len(this.q)-1]this.q=this.q[:len(this.q)-1]delete(this.d,val)returntrue}func(this*RandomizedSet)GetRandom()int{returnthis.q[rand.Intn(len(this.q))]}/** * Your RandomizedSet object will be instantiated and called as such: * obj := Constructor(); * param_1 := obj.Insert(val); * param_2 := obj.Remove(val); * param_3 := obj.GetRandom(); */
classRandomizedSet{privated:Map<number,number>=newMap();privateq:number[]=[];constructor(){}insert(val:number):boolean{if(this.d.has(val)){returnfalse;}this.d.set(val,this.q.length);this.q.push(val);returntrue;}remove(val:number):boolean{if(!this.d.has(val)){returnfalse;}consti=this.d.get(val)!;this.d.set(this.q[this.q.length-1],i);this.q[i]=this.q[this.q.length-1];this.q.pop();this.d.delete(val);returntrue;}getRandom():number{returnthis.q[Math.floor(Math.random()*this.q.length)];}}/** * Your RandomizedSet object will be instantiated and called as such: * var obj = new RandomizedSet() * var param_1 = obj.insert(val) * var param_2 = obj.remove(val) * var param_3 = obj.getRandom() */
userand::Rng;usestd::collections::HashSet;structRandomizedSet{list:HashSet<i32>,}/** * `&self` means the method takes an immutable reference. * If you need a mutable reference, change it to `&mut self` instead. */implRandomizedSet{fnnew()->Self{Self{list:HashSet::new(),}}fninsert(&mutself,val:i32)->bool{self.list.insert(val)}fnremove(&mutself,val:i32)->bool{self.list.remove(&val)}fnget_random(&self)->i32{leti=rand::thread_rng().gen_range(0,self.list.len());*self.list.iter().collect::<Vec<&i32>>()[i]}}
publicclassRandomizedSet{privateDictionary<int,int>d=newDictionary<int,int>();privateList<int>q=newList<int>();publicRandomizedSet(){}publicboolInsert(intval){if(d.ContainsKey(val)){returnfalse;}d.Add(val,q.Count);q.Add(val);returntrue;}publicboolRemove(intval){if(!d.ContainsKey(val)){returnfalse;}inti=d[val];d[q[q.Count-1]]=i;q[i]=q[q.Count-1];q.RemoveAt(q.Count-1);d.Remove(val);returntrue;}publicintGetRandom(){returnq[newRandom().Next(0,q.Count)];}}/** * Your RandomizedSet object will be instantiated and called as such: * RandomizedSet obj = new RandomizedSet(); * bool param_1 = obj.Insert(val); * bool param_2 = obj.Remove(val); * int param_3 = obj.GetRandom(); */