leetcode30串联所有的单词子串

leetcode30串联所有的单词子串

输入:s = “barfoothefoobarman”, words = [“foo”,“bar”]
输出:[0,9]
解释:因为 words.length == 2 同时 words[i].length == 3,连接的子字符串的长度必须为 6。
子串 “barfoo” 开始位置是 0。它是 words 中以 [“bar”,“foo”] 顺序排列的连接。
子串 “foobar” 开始位置是 9。它是 words 中以 [“foo”,“bar”] 顺序排列的连接。
输出顺序无关紧要。返回 [9,0] 也是可以的。
输入:s = “barfoofoobarthefoobarman”, words = [“bar”,“foo”,“the”]
输出:[6,9,12]
解释:因为 words.length == 3 并且 words[i].length == 3,所以串联子串的长度必须为 9。
子串 “foobarthe” 开始位置是 6。它是 words 中以 [“foo”,“bar”,“the”] 顺序排列的连接。
子串 “barthefoo” 开始位置是 9。它是 words 中以 [“bar”,“the”,“foo”] 顺序排列的连接。
子串 “thefoobar” 开始位置是 12。它是 words 中以 [“the”,“foo”,“bar”] 顺序排列的连接。

lass Solution {
public:
    vector<int> findSubstring(string s, vector<string>& words) {
        int m=words.size();
        int words_len=words[0].size();
        int lenth=s.size();
        unordered_map<string,int>target_map;
        vector<int>res;
        for(int i=0;i<m;i++)
        {
            target_map[words[i]]++;
        }
        //滑动窗口
       for(int i=0;i<words_len;i++)//以单个单词长度来移动
       {
        int left=i;int right=i;int cnt=0;
        unordered_map<string,int>curmap;
        while(right+words_len<=lenth) //比较两个哈希表的值,可以先尝试写里面的先令left=0;right=0;
        {
            string sub=s.substr(right,words_len);
            right+=words_len;
            if(target_map.find(sub)!=target_map.end())//存在单词
            {
                curmap[sub]++;
                cnt++;
                while(curmap[sub]>target_map[sub])
                {
                string ts=s.substr(left,words_len);
                curmap[ts]--;
                cnt--;//左边的阈值减少
                left+=words_len;
                }
                if(cnt==m)
                {
                res.push_back(left);
                }
            }
            else//如果没有找到,targetmap中不存在该单词
            {
                left=right;
                cnt=0;
                curmap.clear();

            }
        }
       }
       return res;
    }   
};

你可能感兴趣的:(算法,leetcode,c++,算法,开发语言)