Problem Description
Design an algorithm that accepts a stream of characters and checks if a suffix of these characters is a string of a given array of strings words
. For example, if words = ["abc", "xyz"]
and the stream added the four characters (one by one) a
, x
, y
, and z
, your algorithm should detect that the suffix "xyz"
of the characters "axyz"
matches "xyz"
from words
.
Key Insights
- The problem requires checking if any suffix of a stream matches any word from a given list.
- A naive approach would be inefficient due to the potential length of the stream and the number of queries.
- Using a Trie data structure allows efficient storage and lookup of words, enabling quick suffix checks.
- The stream can be managed as a queue to maintain the order of incoming characters.
Space and Time Complexity
Time Complexity: O(N) per query in the worst case, where N is the length of the longest word in words
. The insertion and lookup in the Trie will be O(K) where K is the average length of the words.
Space Complexity: O(M) where M is the total number of characters in all words
due to the Trie structure.
Solution
The solution uses a Trie data structure to store the words in reverse. When a new character is queried, it is prepended to the current stream. The algorithm then checks if any suffix of the current stream matches a word in the Trie. This allows efficient querying as the stream grows.