LeetCode(33)最小覆盖子串【滑动窗口】【困难】
目录
- 1.题目
- 2.答案
- 3.提交结果截图
链接: 76. 最小覆盖子串
1.题目
给你一个字符串 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 的子串中,
因此没有符合条件的子字符串,返回空字符串。
提示:
m == s.length
n == t.length
1 <= m, n <= 10^5
s
和t
由英文字母组成
进阶: 你能设计一个在 o(m+n)
时间内解决此问题的算法吗?
2.答案
class Solution {
public String minWindow(String s, String t) {
// 初始化
Map<Character, Integer> tMap = new HashMap<>();
char[] tChars = t.toCharArray();
for (char tChar : tChars) {
tMap.put(tChar, tMap.getOrDefault(tChar, 0) + 1);
}
// 遍历s
int l = 0;
int minLength = s.length() + 1;
int minL = 0;
int minR = 0;
char[] sChars = s.toCharArray();
Map<Character, Integer> windowMap = new HashMap<>();
for (int r = 0; r < sChars.length; r++) {
// 右边移动
windowMap.put(s.charAt(r), windowMap.getOrDefault(s.charAt(r), 0) + 1);
while (checkContains(tMap, windowMap)) {
if (r - l + 1 < minLength) {
minLength = r - l + 1;
minL = l;
minR = r;
}
// 左边移动
int count = windowMap.get(s.charAt(l)) - 1;
if (count == 0) {
windowMap.remove(s.charAt(l));
} else {
windowMap.put(s.charAt(l), count);
}
l++;
}
}
return minLength == s.length() + 1 ? "" : s.substring(minL, minR + 1);
}
private boolean checkContains(Map<Character, Integer> tMap, Map<Character, Integer> window) {
for (Map.Entry<Character, Integer> tEntry : tMap.entrySet()) {
if (window.getOrDefault(tEntry.getKey(), 0) < tEntry.getValue()) {
return false;
}
}
return true;
}
}
3.提交结果截图
整理完毕,完结撒花~ 🌻