算法第四版- 3.4
哈希表
1.基础的操作
本文重点是对set和map进行应用 关联容器具有一些特性: multi就是允许关键字重复 set就是只有关键字 map就是键-值对 上面四个的底层实现是红黑树 下面四个的底层实现是哈希表 1.红黑树是有序的,Hash是无序的。 2.红黑树占用的内存更小(仅需要为其存在的节点分配内存),而Hash事先就应该分配足够的内存存储散列表(即使有些槽可能遭弃用)。 3.红黑树查找和删除的时间复杂度都是O(logn),Hash查找和删除的时间复杂度都是O(1) 4.动态建议红黑树,静态建议哈希表
比较常用的操作: unordered_set unordered_map 以上链接是我之前收藏的很不错的查阅资料。
2.unordered_map
哈希表解决两数之和,双指针解决三数之和
LC第1题 .find(), .end(), 插入的话就是直接插入,或者用insert+make_pair也可以。 搜不到东西的话就返回.end()这个迭代器
class Solution {
public:
vector<int> twoSum(vector<int>& nums, int target) {
std::unordered_map <int,int> map;
for(int i = 0; i < nums.size(); i++) {
auto iter = map.find(target - nums[i]);
if(iter != map.end()) {
return {iter->second, i};
}
map[nums[i]]=i;
}
return {};
}
};
3.unordered_set
LC202.快乐数 展示了unordered_set的一些操作 .find(), .insert(), .end()
class Solution {
public:
int getSum(int n) {
int sum = 0;
while (n) {
sum += (n % 10) * (n % 10);
n /= 10;
}
return sum;
}
bool isHappy(int n) {
unordered_set<int> set;
while(1) {
int sum = getSum(n);
if (sum == 1) {
return true;
}
if (set.find(sum) != set.end())
{
return false;
}
else
{
set.insert(sum);
}
n = sum;
}
}
};
另外,count(num)函数,会返回num这个元素在集合中的数量,一般为1or0 erase(num)函数,可以在集合中删除num这个元素
4.一些杂的题目
1) 单词规律
LC290
class Solution {
public:
bool wordPattern(string pattern, string str) {
unordered_map<char, string> map;
unordered_map<string, char> rmap;
stringstream ss(str); string s;
for(char c : pattern) {
if(!(ss >> s) || (map.count(c) == 1 && map[c] != s) || (rmap.count(s) == 1 && rmap[s] != c)) return false;
map[c] = s; rmap[s] = c;
}
return (ss >> s) ? false : true;
}
};
这个题目重点是让你看一下流操作运算stringstream
2) 赎金信
LC383
class Solution {
public:
bool canConstruct(string ransomNote, string magazine) {
int ans[26]={0};
for(auto a:magazine)
ans[a-'a']++;
for(auto b:ransomNote)
ans[b-'a']--;
for(auto c:ans)
if(c<0) return 0;
return 1;
}
};
可以用数组来充当哈希表 因为哈希映射是比较麻烦的,且空间复杂度较高。反之,数组就很简明清爽。 接下来放两道比较难的练习: LC1711大餐计数 LC1590使数组和能被p整除
做哈希表这边的题,很大的感悟就是见识很多新的写法 再比如*max_element(A.begin(),A.end()); map<pair<int,int>, int>mp; memset, memcpy stoi, substr
|