Judie 发表于 2023-5-30 08:35:36

【朱迪的LeetCode刷题笔记】705. Design HashSet #Easy #Python #C++

本帖最后由 Judie 于 2023-5-29 19:37 编辑

Design a HashSet without using any built-in hash table libraries.

Implement MyHashSet class:

void add(key) Inserts the value key into the HashSet.
bool contains(key) Returns whether the value key exists in the HashSet or not.
void remove(key) Removes the value key in the HashSet. If key does not exist in the HashSet, do nothing.


Example 1:
Input
["MyHashSet", "add", "add", "contains", "contains", "add", "contains", "remove", "contains"]
[[], , , , , , , , ]
Output


Explanation
MyHashSet myHashSet = new MyHashSet();
myHashSet.add(1);      // set =
myHashSet.add(2);      // set =
myHashSet.contains(1); // return True
myHashSet.contains(3); // return False, (not found)
myHashSet.add(2);      // set =
myHashSet.contains(2); // return True
myHashSet.remove(2);   // set =
myHashSet.contains(2); // return False, (already removed)


Constraints:
0 <= key <= 10^6
At most 10^4 calls will be made to add, remove, and contains.

Judy
Python
class MyHashSet(object):

    def __init__(self):
      self.set = set()

    def add(self, key):
      """
      :type key: int
      :rtype: None
      """
      self.set.add(key)

    def remove(self, key):
      """
      :type key: int
      :rtype: None
      """
      if key in self.set:
            self.set.remove(key)

    def contains(self, key):
      """
      :type key: int
      :rtype: bool
      """
      return key in self.set


# Your MyHashSet object will be instantiated and called as such:
# obj = MyHashSet()
# obj.add(key)
# obj.remove(key)
# param_3 = obj.contains(key)

Mike
C++ a little bit better
class MyHashSet {
public:
    unordered_map<int, bool> hash;
    MyHashSet() {
      hash = {};
    }

    void add(int key) {
      hash = true;
    }

    void remove(int key) {
      hash.erase(key);
    }

    bool contains(int key) {
      return !(hash.find(key) == hash.end());
    }
};

Gray
C++
class MyHashSet {
public:
    MyHashSet() {

    }
    map<int,int> hashmap;
    void add(int key) {
      hashmap = 1;
    }

    void remove(int key) {
      hashmap = 0;
    }

    bool contains(int key) {
      if(hashmap.find(key)!=hashmap.end() && hashmap==1){
            return true;
      }else {
            return false;
      }
    }
};
页: [1]
查看完整版本: 【朱迪的LeetCode刷题笔记】705. Design HashSet #Easy #Python #C++