Leetcode 76.最小覆盖字串

Leetcode 76.最小覆盖字串

给你一个字符串 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 的子串中,
因此没有符合条件的子字符串,返回空字符串

Leetcode 76.最小覆盖字串_第1张图片

class Solution {
public:
    string minWindow(string s, string t) {
        //双指针算法
        unordered_map<char,int> hs,ht;
        for(auto c:t) ht[c]++;
        int count=0;
        string res;
        for(int i=0,j=0;i<s.size();i++){
            hs[s[i]]++;
            if(hs[s[i]]<=ht[s[i]]) count++;//其中一个字母
            while(hs[s[j]]>ht[s[j]]) hs[s[j++]]--;
            if(count ==t.size()){
                if(res.empty() || i-j+1 < res.size()){
                    res=s.substr(j,i-j+1);
                    // cout<
                }
            }
        }
        return res;

    }
};

你可能感兴趣的:(算法,leetcode,算法)