个人主页:Lei宝啊?
愿所有美好如期而遇
本题题目链接https://leetcode.cn/problems/M1oyTv/description/
滑动窗口其实就是种双指针,只是这种双指针只向后移动,不会回退,具有单调性,也就是说,整个过程中left和right只会++。
本题思路我们在图示中理解。
我们初始状态:
?
?
后面不再画
class Solution {
public:
bool check(int(&hash1)[150], int(&hash2)[150], string& t)
{
for (int i = 0; i < t.size(); i++)
{
if (hash1[t[i]] < hash2[t[i]])
{
return false;
}
}
return true;
}
string minWindow(string s, string t)
{
int hash1[150] = { 0 };
int hash2[150] = { 0 };
for (int i = 0; i < t.size(); i++)
{
hash2[t[i]]++;
}
int pos = 0, len = INT_MAX;
for (int rhs = 0, lhs = 0; rhs < s.size(); rhs++)
{
hash1[s[rhs]]++;
//check
while (check(hash1, hash2, t))
{
if (len > rhs - lhs + 1)
{
len = rhs - lhs + 1;
pos = lhs;
}
hash1[s[lhs++]]--;
}
}
len = len == INT_MAX ? 0 : len;
return string(s.begin() + pos, s.begin() + pos + len);
}
};
class Solution {
public:
string minWindow(string s, string t)
{
int hash1[128] = {0};
int hash2[128] = {0};
int hash_size = 0;
for (int i = 0; i < t.size(); i++)
{
if (hash2[t[i]]++ == 0) hash_size++;
}
int pos = 0, len = INT_MAX;
for(int rhs = 0, lhs = 0, count = 0; rhs < s.size(); rhs++)
{
hash1[s[rhs]]++;
if(hash1[s[rhs]] == hash2[s[rhs]]) count++;
? ? ? ? ? ? //check
? ? ? ? ? ? while(count == hash_size)
{
if(len > rhs-lhs+1)
{
len = rhs-lhs+1;
pos = lhs;
}
if(hash1[s[lhs]] == hash2[s[lhs]]) count--;
hash1[s[lhs++]]--;
}
}
len = len == INT_MAX ? 0 : len;
return string(s.begin()+pos,s.begin()+pos+len);
}
};