5083-Bigram 分詞

前言

Weekly Contest 140Bigram 分詞code

給出第一個詞 first 和第二個詞 second,考慮在某些文本 text 中可能以 "first second third" 形式出現的狀況,其中 second 緊隨 first 出現,third 緊隨 second 出現。索引

對於每種這樣的狀況,將第三個詞 "third" 添加到答案中,並返回答案。leetcode

示例1:get

輸入:text = "alice is a good girl she is a good student", first = "a", second = "good"
輸出:["girl","student"]

示例2:it

輸入:text = "we will we will rock you", first = "we", second = "will"
輸出:["we","rock"]

提示:test

  1. 1 <= text.length <= 1000
  2. text 由一些用空格分隔的單詞組成,每一個單詞都由小寫英文字母組成
  3. 1 <= first.length, second.length <= 10
  4. firstsecond 由小寫英文字母組成

解題思路

本題須要注意如下兩點:List

  1. first second third三個單詞是要連續出現的,例如循環

    輸入:text = "alice is a good girl she is a really good student", first = "a", second = "good"
    輸出:["girl"]
  2. first second third三個單詞中的third多是下一次循環的first,例如示例2

實現代碼

/**
     * 5083. Bigram 分詞
     * @param text
     * @param first
     * @param second
     * @return
     */
    public String[] findOcurrences(String text, String first, String second) {
        // 按空格分割單詞
        String[] words = text.split(" ");
        List<String> list = new ArrayList<>();
        // 匹配第一個單詞的索引
        int firstIndex = -1;
        // 匹配第二個單詞的索引
        int secondIndex = -1;
        for (int i = 0; i < words.length; i++) {
            String word = words[i];
            if (firstIndex >= 0 && secondIndex > 0) { // 判斷前兩個單詞是否已經匹配
                firstIndex = -1; // 重置索引
                secondIndex = -1; // 重置索引
                list.add(word);
            }
            // 判斷是否爲第二個單詞,判斷條件爲
            // 1. 當前單詞與第二個單詞相同
            // 2. 第一個單詞已經匹配
            // 3. 第二個單詞緊跟着第一個單詞以後出現(secondIndex = firstIndex+1)
            // 此處先判斷第二個單詞是爲了處理第三個單詞爲第一個單詞的狀況
            if (word.equals(second) && firstIndex >= 0 && firstIndex == i - 1) {
                secondIndex = i;
                continue; // 匹配則中斷當前循環
            } else {
                // 第一個單詞已經匹配,可是第二個單詞不匹配,重置第一個單詞的匹配結果
                if (firstIndex >= 0) {
                    firstIndex = -1;
                }
            }
            // 判斷是否爲第一個單詞
            // 1. 第一個單詞未匹配
            // 2. 當前單詞與第一個單詞相同
            if (firstIndex < 0 && word.equals(first)) {
                firstIndex = i;
                continue; // 匹配則中斷當前循環
            }
        }
        String[] result = new String[list.size()];
        return list.toArray(result);
    }
相關文章
相關標籤/搜索