Leetcode 76 最小覆盖字串

给你一个字符串 s 、一个字符串 t 。返回 s 中涵盖 t 所有字符的最小子串。如果 s 中不存在涵盖 t 所有字符的子串,则返回空字符串 "" 。

注意:

对于 t 中重复字符,我们寻找的子字符串中该字符数量必须不少于 t 中该字符数量。
如果 s 中存在这样的子串,我们保证它是唯一的答案。
 

示例 1:

输入:s = "ADOBECODEBANC", t = "ABC"
输出:"BANC"
示例 2:

输入:s = "a", t = "a"
输出:"a"
示例 3:

输入: s = "a", t = "aa"
输出: ""
解释: t 中两个字符 'a' 均应包含在 s 的子串中,
因此没有符合条件的子字符串,返回空字符串。
 

提示:

1 <= s.length, t.length <= 105
s 和 t 由英文字母组成
 

进阶:你能设计一个在 o(n) 时间内解决此问题的算法吗?

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/minimum-window-substring
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题目分析

典型的双指针套路题,就不分析拉

AC代码

class Solution {
public:
    string minWindow(string s, string t) {
        if(s.size()<t.size())return "";
        int minlenth = s.size()+1;
        int start;
        unordered_map<char,int> bookt;
        for(char c:t){
            bookt[c]++;
        }
        int valid = 0;
        int target = bookt.size();
        map<char,int>bookc;
        int i =0;
        for(int j = 0;j<s.size();j++){
            bookc[s[j]]++;
            if(bookt[s[j]]!=0&&bookc[s[j]] == bookt[s[j]])valid++;
            while(valid == target){
                if(j-i+1<minlenth){
                    minlenth = j-i+1;
                    start = i;
                }
                if(bookt[s[i]]!=0&&bookc[s[i]] == bookt[s[i]])valid--;
                bookc[s[i]]--;
                i++;
            }
        }
        if(minlenth == s.size()+1)return "";
        return s.substr(start,minlenth);
    }
};

猜你喜欢

转载自blog.csdn.net/qq_37637818/article/details/121261487
今日推荐