前言
欢迎大家积极在评论区留言发表自己的看法,知无不言,言无不尽,养成每天刷题的习惯,也可以自己发布优质的解题报告,供社区一同鉴赏,吸引一波自己的核心粉丝。
今天是六月集训第七天:哈希表🔥
一、练习题目
442. 数组中重复的数据
2068. 检查两个字符串是否几乎相等
2283. 判断一个数的数字计数是否等于数位的值
884. 两句话中的不常见单词
二、算法思路
- 1、442. 数组中重复的数据:利用一个哈希表统计出现次数超过1次的数字。🔥
- 2、2068. 检查两个字符串是否几乎相等:用两个哈希表统计两个字符串中字母出现的次数,如果出现题目意思中两个字符串中相同字母个数超过3个就不满足题意。🔥
- 3、2283. 判断一个数的数字计数是否等于数位的值:用一个哈希表来统计数字出现的次数,比如:
“1210”
中:0出现了1次,1出现了两次,2出现了1次。再从[0, num.size()]逐个判断num[i] - '0'
的值和计数器统计的出现的次数cnt[i]
是不是相等,不相等返回false
。🔥 - 4、884. 两句话中的不常见单词:这个题目一开始很绕,想明白了就不难的,看给的例子其实就是找两个字符串数组中只出现过一次的字符串,那就用一个哈希表来统计两个字符串数组字符串出现的次数,如果只出现一次那就加入到结果数组中。那么这里还需要做的事情就是把两个字符串去掉空格做拼接,我就用
stringstream
了之前有空格的都用它处理,用过确实都说好,偷懒处理空格。🔥
三、源码剖析
// 442. 数组中重复的数据
class Solution {
public:
vector<int> findDuplicates(vector<int>& nums) {
vector<int> ans;
unordered_map<int, int> map;
for (int i = 0; i < nums.size(); i++)
{
map[nums[i]]++; //(1)
}
for (auto& m : map)
{
if (m.second > 1) //(2)
ans.push_back(m.first);
}
return ans;
}
};
- 1、建立哈希表统计数字出现的次数;
- 2、出现次数大于1说明重复出现了加入到结果数组中来。
// 2068. 检查两个字符串是否几乎相等
class Solution {
public:
bool checkAlmostEquivalent(string word1, string word2) {
int hash1[26], hash2[26];
memset(hash1, 0, sizeof(hash1));
memset(hash2, 0, sizeof(hash2));
for(int i = 0; i < word1.length(); ++i) {
hash1[word1[i] - 'a']++;
}
for(int i = 0; i < word2.length(); ++i) {
hash2[word2[i] - 'a']++;
}
for(int i = 0; i < 26; ++i) {
if(abs(hash1[i] - hash2[i]) > 3) {
return false;
}
}
return true;
}
};
- 1、详见思路解析。
// 2283. 判断一个数的数字计数是否等于数位的值
class Solution {
public:
bool digitCount(string num) {
int cnt[10];
memset(cnt, 0, sizeof(cnt));
for(int i = 0; i < num.length(); ++i) {
cnt[num[i] - '0']++;
}
for(int i = 0; i < num.length(); ++i) {
if(cnt[i] != (num[i] - '0')) {
return false;
}
}
return true;
}
};
- 1、详见思路解析。
// 884. 两句话中的不常见单词
class Solution {
unordered_map<string, int> cnt;
public:
vector<string> uncommonFromSentences(string s1, string s2) {
stringstream str1, str2;
string word;
str1 << s1;
str2 << s2; //(1)
vector<string> ans;
while(str1 >> word) {
cnt[word]++;
}
while(str2 >> word) {
cnt[word]++;
} //(2)
for(auto & [w, count] : cnt) {
if(count == 1) { //(3)
ans.emplace_back(w);
}
}
return ans;
}
};
- 1、用
stringstream
来处理字符串空格; - 2、用一个哈希表统计两个字符串数组字符串出现的次数;
- 3、将次数为1的加入结果数组中。