其他分享
首页 > 其他分享> > 【每日一题】LeetCode 438.找到字符串中所有字母异位词

【每日一题】LeetCode 438.找到字符串中所有字母异位词

作者:互联网

题目

给定两个字符串 s 和 p,找到 s 中所有 p 的 异位词 的子串,返回这些子串的起始索引。不考虑答案输出的顺序。

异位词 指由相同字母重排列形成的字符串(包括相同的字符串)。

输入: s = “cbaebabacd”, p = “abc”
输出: [0,6]
解释:
起始索引等于 0 的子串是 “cba”, 它是 “abc” 的异位词。
起始索引等于 6 的子串是 “bac”, 它是 “abc” 的异位词。

代码

class Solution {
public:
    vector<int> findAnagrams(string s, string p) {
        unordered_map<char, int> cnt;
        for(auto c: p)  cnt[c]++;
        vector<int> res;
        int tot=cnt.size();
        for(int i=0, j=0, satisfy=0;i<s.size();i++)
        {
            if(--cnt[s[i]]==0)  satisfy++;
            while(i-j+1>p.size())
            {
                if(cnt[s[j]]==0)    satisfy--;
                cnt[s[j++]]++;
            }
            if(satisfy==tot)    res.push_back(j);
        }
        return res;
    }
};

标签:satisfy,子串,cnt,abc,++,异位,438,LeetCode
来源: https://blog.csdn.net/Do1phln/article/details/121594057