76. 最小覆盖子串 - 力扣(LeetCode)
给你一个字符串 s
、一个字符串 t
。返回 s
中涵盖 t
所有字符的最小子串。如果 s
中不存在涵盖 t
所有字符的子串,则返回空字符串 ""
注意:
- 对于
t
中重复字符,我们寻找的子字符串中该字符数量必须不少于t
中该字符数量 - 如果
s
中存在这样的子串,我们保证它是唯一的答案
示例 1:
输入:s = "ADOBECODEBANC", t = "ABC" 输出:"BANC" 解释:最小覆盖子串 "BANC" 包含来自字符串 t 的 'A'、'B' 和 'C'
示例 2:
输入:s = "a", t = "a" 输出:"a" 解释:整个字符串 s 是最小覆盖子串
示例 3:
输入: s = "a", t = "aa" 输出: "" 解释: t 中两个字符 'a' 均应包含在 s 的子串中,因此没有符合条件的子字符串,返回空字符串
从左->到下->到右->到下看以下图
class Solution {
public:
string minWindow(string s, string t) {
unordered_map<char,int> need;
unordered_map<char,int> window;
// if (s.size() < t.size()) return "";
for(auto c:t) {
need[c]+=1;
}
int right=0,left=0;
int valid=0;
int start=0,minLen=INT_MAX;
while(right < s.size()) {
char cur = s[right];
right++;
// 进行窗口数据一系列更新
if(need.find(cur)!=need.end()) {
window[cur]++;
if(window[cur] == need[cur]) valid++;
}
while(need.size() == valid) {
if(right - left < minLen) {
start = left;
minLen = right - left;
}
// d 是将移除窗口的字符串
char deleteChar = s[left];
// 左边移动窗口
left++;
// 进行窗口内数据当一系列更新
if(window.find(deleteChar)!=window.end()) {
if(window[deleteChar] == need[deleteChar]) valid--;
window[deleteChar]--;
}
}
}
return minLen == INT_MAX ? "" : s.substr(start,minLen);
}
};
推荐文章:76. 最小覆盖子串 - 力扣(LeetCode)https://leetcode.cn/problems/minimum-window-substring/solutions/736507/shu-ju-jie-gou-he-suan-fa-hua-dong-chuan-p6ip/