题目
题解
初步思路:使用滑动窗口,定义l r两个指针分别指向s开头的位置,循环遍历s,每次r++,并使用unordered_map记录下当前窗口每个字母的数量,如果t中所有的字母都覆盖了,那么就l++,将该字母数量-1,最终找到最短的覆盖字串。
class Solution {
public:
bool areUnorderedMapsEqual(std::unordered_map<char, int>& map1, std::unordered_map<char, int>& map2, string t) {
for(auto &c :t){
if(map1[c]<map2[c]){
return false;
}
}
return true;
}
string minWindow(string s, string t) {
if(s==t)return t;
unordered_map<char,int>ump;
unordered_map<char,int>lut;
for(auto &c:t){
++lut[c];
}
int cnt=0;
int l=0,r=0;
string ans = "" ;
while(l<=s.size()&&r<=s.size()){
if(r<s.size()&&lut.count(s[r])){
if(ump[s[r]] == 0)cnt ++;
++ump[s[r]];
}
while(areUnorderedMapsEqual(ump, lut, t)){
string tmp = s.substr(l,r-l+1);
if (ans==""||tmp.size() < ans.size()) ans = tmp;
if(--ump[s[l]] == 0){
--cnt;
}
++l;
}
++r;
}
return ans;
}
};
按照上述代码,最后两个测试样例太长会导致超时,需进一步优化
class Solution {
public:
unordered_map <char, int> ori, cnt;
bool check() {
for (const auto &p: ori) {
if (cnt[p.first] < p.second) {
return false;
}
}
return true;
}
string minWindow(string s, string t) {
for (const auto &c: t) {
++ori[c];
}
int l = 0, r = -1;
int len = INT_MAX, ansL = -1, ansR = -1;
while(r < int(s.size())){
if (ori.find(s[++r]) != ori.end()) {
++cnt[s[r]];
}
while (check() && l <= r) {
if (r - l + 1 < len) {
len = r - l + 1;
ansL = l;
}
if (ori.find(s[l]) != ori.end()) {
--cnt[s[l]];
}
++l;
}
}
return ansL == -1 ? string() : s.substr(ansL, len);
}
};