其他分享
首页 > 其他分享> > leetcode 438. 找到字符串中所有字母异位词(Find All Anagrams in a String)

leetcode 438. 找到字符串中所有字母异位词(Find All Anagrams in a String)

作者:互联网

目录

题目描述:

给定一个字符串 s 和一个非空字符串 p,找到 s 中所有是 p 的字母异位词的子串,返回这些子串的起始索引。

字符串只包含小写英文字母,并且字符串 sp 的长度都不超过 20100。

说明:

示例 1:

输入:
    s: "cbaebabacd" p: "abc"

输出:
    [0, 6]

解释:
    起始索引等于 0 的子串是 "cba", 它是 "abc" 的字母异位词。
    起始索引等于 6 的子串是 "bac", 它是 "abc" 的字母异位词。

示例 2:

输入:
    s: "abab" p: "ab"

输出:
    [0, 1, 2]

解释:
    起始索引等于 0 的子串是 "ab", 它是 "ab" 的字母异位词。
    起始索引等于 1 的子串是 "ba", 它是 "ab" 的字母异位词。
    起始索引等于 2 的子串是 "ab", 它是 "ab" 的字母异位词。

解法:

class Solution {
public:
    vector<int> findAnagrams(string s, string p) {
        vector<int> count(128, 0);
        for(char ch : p){
            count[ch]++;
        }
        int len = p.size();
        int sz = s.size();
        vector<int> res;
        int i = 0, j = 0;
        while(i < sz){
            while(j < sz && count[s[j]] > 0){
                count[s[j]]--;
                j++;
            }
            if(j - i == len){
                res.push_back(i);
                count[s[i]]++;
                i++;
            }else if(i == j){   // the single charactor isn't in p
                j++;
                i = j;
            }else{  // the current charactor exceeds the number in p
                count[s[i]]++;
                i++;
            }
        }
        return res;
    }
};

标签:子串,count,ab,String,Anagrams,++,异位,字母,Find
来源: https://www.cnblogs.com/zhanzq/p/10583360.html