题目链接:438.找到字符串中所有字母异位词
class Solution {
public:
vector<int> findAnagrams(string s, string p) {
int hash1[26] = { 0 };//统计字符串p中每个字符出现的个数
for(auto ch : p)hash1[ch - 'a']++;
int hash2[26] = { 0 };//统计窗口里面每一个字符出现的个数
vector<int> res;
for(int left = 0,right = 0,count = 0;right < s.size();right++)//1.控制窗口
{
char in = s[right];
if(++hash2[in - 'a'] <= hash1[in - 'a'])count++;//2.进窗口+维护count
while(right - left + 1 > p.size())//3.判断
{
char out = s[left++];
if(hash2[out - 'a']-- <= hash1[out - 'a'])count--;//维护count+出窗口
}
if(count == p.size()) res.push_back(left);//更新结果
}
return res;
}
};