目录
力扣76. 最小覆盖子串
解析及代码
力扣76. 最小覆盖子串
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 的子串中, 因此没有符合条件的子字符串,返回空字符串。
提示:文章来源:https://www.toymoban.com/news/detail-816836.html
m == s.length
n == t.length
1 <= m, n <= 105
-
s
和t
由英文字母组成 -
进阶:你能设计一个在
o(m+n)
时间内解决此问题的算法吗?
class Solution {
public:
string minWindow(string s, string t){
}
};
解析及代码
此题和上篇力扣30题思路类似,也是滑动窗口+哈希表。文章来源地址https://www.toymoban.com/news/detail-816836.html
class Solution {
public:
string minWindow(string s, string t){
int hash1[128] = { 0 }; // 统计字符串 t 中每⼀个字符的频次
int kinds = 0; // 统计有效字符有多少种
for (auto e : t)
{
if (hash1[e]++ == 0)
{
kinds++;
}
}
int hash2[128] = { 0 }; // 统计窗⼝内每个字符的频次
int minlen = INT_MAX, begin = -1;
for (int left = 0, right = 0, count = 0; right < s.size(); right++)
{
char in = s[right];
if (++hash2[in] == hash1[in]) // 进窗⼝ + 维护 count
{
count++;
}
while (count == kinds) // 判断条件
{
if (right - left + 1 < minlen) // 更新结果
{
minlen = right - left + 1;
begin = left;
}
char out = s[left++];
if (hash2[out]-- == hash1[out]) // 出窗⼝ + 维护 count
{
count--;
}
}
}
return begin == -1 ? "" : s.substr(begin, minlen);
}
};
到了这里,关于每日OJ题_算法_滑动窗口⑧_力扣76. 最小覆盖子串的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!