30. 串聯所有單詞的子串

給定一個字符串 和一些長度相同的單詞 words。找出 中恰好可以由 words 中所有單詞串聯形成的子串的起始位置。

注意子串要與 words 中的單詞完全匹配,中間不能有其他字符,但不需要考慮 words 中單詞串聯的順序。

 

示例 1:

輸入:
  s = "barfoothefoobarman",
  words = ["foo","bar"]
輸出:[0,9]
解釋:
從索引 0 和 9 開始的子串分別是 "barfoor" 和 "foobar" 。
輸出的順序不重要, [9,0] 也是有效答案。

示例 2:

輸入:
  s = "wordgoodgoodgoodbestword",
  words = ["word","good","best","word"]
輸出:[]

Code:

不算難的一個題,使用hashMap存儲比對即可AC

class Solution {
    public List<Integer> findSubstring(String s, String[] words) {
        ArrayList<Integer> res = new ArrayList<>();
        if (s.length()==0||words.length==0){
            return res;
        }
        HashMap<String, Integer> record = new HashMap<>();
        for (String word:words) {
            Integer in = record.get(word);
            if (in==null){
                in = 0;
            }
            record.put(word,in+1);
        }
        int wordLen = words[0].length();
        int count = words.length;
        int len = s.length();
        int forLen = len - wordLen*count;

        for (int i = 0; i < forLen+1; i++) {
            String sp = s.substring(i, i + wordLen);
            Integer p = record.get(sp);
            if (p!=null){
                int cou = count-1;
                HashMap<String,Integer> temp = new HashMap<>();
                temp.putAll(record);
                temp.put(sp,p-1);
                for (int j = i+wordLen; cou > 0 ; j+=wordLen) {
                    String s1 = s.substring(j, j + wordLen);
                    Integer get = temp.get(s1);
                    if (get==null||get==0){
                        break;
                    }else {
                        temp.put(s1,get-1);
                        cou--;
                    }
                }
                if (cou==0){
                    res.add(i);
                }
            }
        }

        return res;
    }
}

 

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章