leetcode 30. 串联所有单词的子串

leetcode 30. 串联所有的子串

  1. 题目描述给定一个字符串 s 和一些长度相同的单词 words。找出 s 中恰好可以由 words 中所有单词串联形成的子串的起始位置。
    注意子串要与 words 中的单词完全匹配,中间不能有其他字符,但不需要考虑 words 中单词串联的顺序。
  2. 题目链接leetcode 30. 串联所有单词的子串
  3. 解题思路
    结合滑动窗口来进行求解。
    首先定义n=s.size();m=words.size();w=words[0].size();
    可以将整个字符串遍历分为w组,然后每组遍历时即访问该一系列位置的字符串,每个字符串的大小为w。每组访问时用滑动窗口求解即可。
    leetcode 30. 串联所有单词的子串_第1张图片
  4. 代码
class Solution {
public:
    vector<int> findSubstring(string s, vector<string>& words) {
        vector<int> res;
        if(words.size() == 0) return res;
        int n = s.size(), m = words.size(), w = words[0].size();
        unordered_map<string, int> tot;
        for(int i = 0; i < m; i ++) tot[words[i]]++;
        int num=tot.size();
        //cout << tot.size();
        for(int i = 0; i < w; i++){//将s分为w组
            int cnt = 0;
            unordered_map<string,int> window;
            for(int j = i; j <= n-w; j = j+w){//相当于现在依次遍历这每一组
                if(j >= i + m * w){//相当于每次window中存m个单词,该滑动窗口依次右移
                    auto word = s.substr(j - m * w,w);//在滑动窗口中减去第一个单词
                    //cout<
                    if(window[word] == tot[word]) cnt--;//说明该单词是有效的
                    window[word]--;
                }
                auto word = s.substr(j,w);
                window[word]++;
                if(window[word] == tot[word]) cnt++;
                //cout<
                if(cnt == num)res.push_back(j - (m-1) * w);
            }
        }
        return res;
    }
};

你可能感兴趣的:(leetcode杂题记录,leetcode)