概述
目录
- 题目:706. 设计哈希映射
- 示例
- 提示
- 解题思路
- 解题代码
- 解题感悟
题目:706. 设计哈希映射
难度: 简单
题目:
不使用任何内建的哈希表库设计一个哈希映射(HashMap)。
实现 MyHashMap 类::
- MyHashMap() 用空映射初始化对象
- void put(int key, int value) 向 HashMap 插入一个键值对 (key, value) 。如果 key 已经存在于映射中,则更新其对应的值 value 。
- int get(int key) 返回特定的 key 所映射的 value ;如果映射中不包含 key 的映射,返回 -1 。
- void remove(key) 如果映射中存在 key 的映射,则移除 key 和它所对应的 value 。
示例
输入:
["MyHashMap", "put", "put", "get", "get", "put", "get", "remove", "get"]
[[], [1, 1], [2, 2], [1], [3], [2, 1], [2], [2], [2]]
输出:
[null, null, null, 1, -1, null, 1, null, -1]
解释:
MyHashMap myHashMap = new MyHashMap();
myHashMap.put(1, 1); // myHashMap 现在为 [[1,1]]
myHashMap.put(2, 2); // myHashMap 现在为 [[1,1], [2,2]]
myHashMap.get(1);
// 返回 1 ,myHashMap 现在为 [[1,1], [2,2]]
myHashMap.get(3);
// 返回 -1(未找到),myHashMap 现在为 [[1,1], [2,2]]
myHashMap.put(2, 1); // myHashMap 现在为 [[1,1], [2,1]](更新已有的值)
myHashMap.get(2);
// 返回 1 ,myHashMap 现在为 [[1,1], [2,1]]
myHashMap.remove(2); // 删除键为 2 的数据,myHashMap 现在为 [[1,1]]
myHashMap.get(2);
// 返回 -1(未找到),myHashMap 现在为 [[1,1]]
提示
- 0 <= key, value <= 10^6
- 最多调用 104 次 put、get 和 remove 方法
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/design-hashmap
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
解题思路
哈希映射,就是key-value对应的哈希结构,而实现思路与705.设计哈希集合类似。通过链地址法,为每个哈希值建立一条链表,相同哈希值在链表中遍历查找,找到对应的key即可得其value。
解题代码
class MyHashMap {
private:
vector<list<pair<int, int>>> map;
static const int base = 769;
int getList(int num)
{
return num % base;
}
public:
/** Initialize your data structure here. */
MyHashMap() {
map.resize(base);
}
/** value will always be non-negative. */
void put(int key, int value) {
int n = getList(key);
for(auto it = map[n].begin(); it != map[n].end(); it++)
{
if(it->first == key)
{
it->second = value;
return;
}
}
map[n].push_back(make_pair(key, value));
}
/** Returns the value to which the specified key is mapped, or -1 if this map contains no mapping for the key */
int get(int key) {
int n = getList(key);
for(auto it = map[n].begin(); it != map[n].end(); it++)
{
if(it->first == key)
{
return it->second;
}
}
return -1;
}
/** Removes the mapping of the specified value key if this map contains a mapping for the key */
void remove(int key) {
int n = getList(key);
for(auto it = map[n].begin(); it != map[n].end(); it++)
{
if(it->first == key)
{
map[n].erase(it);
return;
}
}
}
};
解题感悟
该题只要理解哈希集合的内容,就可以套用其结构轻松解题。
最后
以上就是谦让大神为你收集整理的力扣每日一题:706. 设计哈希映射题目:706. 设计哈希映射解题思路解题代码解题感悟的全部内容,希望文章能够帮你解决力扣每日一题:706. 设计哈希映射题目:706. 设计哈希映射解题思路解题代码解题感悟所遇到的程序开发问题。
如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。
本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
发表评论 取消回复