Occurrences After Bigram - Hash Table - Easy - LeetCode
💻 coding

Occurrences After Bigram - Hash Table - Easy - LeetCode

1 min read 168 words
1 min read
ShareWhatsAppPost on X
  • 1The problem involves finding occurrences of a word that follows a specific bigram in a given text.
  • 2The solution uses a hash table approach to efficiently collect results based on the input conditions.
  • 3The time complexity of the solution is O(n), making it suitable for texts up to 1000 characters.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The problem involves finding occurrences of a word that follows a specific bigram in a given text."

Occurrences After Bigram - Hash Table - Easy - LeetCode

Given words first and second, consider occurrences in some text of the form "first second third", where second comes immediately after first, and third comes immediately after second.

For each such occurrence, add "third" to the answer, and return the answer.

Example 1:

Input: text = "alice is a good girl she is a good student", first = "a", second = "good" Output: ["girl","student"] Example 2:

Input: text = "we will we will rock you", first = "we", second = "will" Output: ["we","rock"]

Note:

1 <= text.length <= 1000 text consists of space separated words, where each word consists of lowercase English letters. 1 <= first.length, second.length <= 10 first and second consist of lowercase English letters.

public class Solution {
 public string[] FindOcurrences(string text, string first, string second) {
 var result = new List<string>();
 if(text == null){
 return result.ToArray();
 }
 var arr = text.Split(' ');
 if(arr.Length<3){
 return result.ToArray();
 }
 
 for(int i=2;i<arr.Length;i++){
 if(arr[i-2]==first && arr[i-1]==second){
 result.Add(arr[i]);
 }
 }
 
 return result.ToArray();
 }
}

Time Complexity: O(n)

Space Complexity: O(1)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 30 September 2020 · 1 min read · 168 words

Part of AskGif Blog · coding

You might also like

Occurrences After Bigram - Hash Table - Easy - LeetCode | AskGif Blog