leetCode76. 最小覆盖子串
题目思路
代码
cpp
// 双指针 + 哈希表
// 这里cnt维护过程:先找到能够匹配T字符串的滑动窗口,然后这个cnt就固定了,因为i向前移动的同时,j也会维护着向前
// 就是当又出现能够满足T字符串的时候,j就会向前移动,且对应的字符的删除工作也做好了,这样就可以动态的维护cnt不变
class Solution {
public:
string minWindow(string s, string t) {
unordered_map<char,int> hs, ht;
// 用哈希表ht维护t中所有字符出现的次数
for(auto c : t) ht[c]++;
// 双指针算法维护滑动窗口
string res = ""; // 定义答案
int cnt = 0; // 维护滑动窗口中有效字符数量
for(int i = 0, j = 0; i < s.size() ; i++){
hs[s[i]]++; // i向前移动
if(hs[s[i]] <= ht[s[i]]) cnt++; // 看对应字符是否有效
while(hs[s[j]] > ht[s[j]]) hs[s[j++]] --; // 看j向前移动的时机,并且对应的hs值也应该减少
if(cnt == t.size()){
if(res.empty() || i - j + 1 < res.size()){
res = s.substr(j, i - j + 1);
}
}
}
return res;
}
};