Problem Description
Given an array of strings words
representing an English Dictionary, return the longest word in words
that can be built one character at a time by other words in words
. If there is more than one possible answer, return the longest word with the smallest lexicographical order. If there is no answer, return the empty string. The word should be built from left to right with each additional character being added to the end of a previous word.
Key Insights
- We need to identify words that can be constructed character by character from other words in the list.
- The solution requires sorting the list of words to ensure we can build them from shorter to longer.
- A set can be used to store valid prefixes to check if a word can be built from existing shorter words.
- The longest valid word must be returned, with lexicographical order considered in case of ties.
Space and Time Complexity
Time Complexity: O(n log n) for sorting the list of words, where n is the number of words. Checking prefixes takes O(n) on average. Overall, the complexity is dominated by the sorting step.
Space Complexity: O(n) for storing the words in a set.
Solution
To solve this problem, we can follow these steps:
- Sort the list of words. This ensures that we can process shorter words before longer ones.
- Use a set to keep track of valid prefixes as we build longer words.
- Iterate through the sorted list, and for each word, check if all its prefixes (up to the last character) exist in the set.
- If a word can be built from its prefixes, add it to the set and check if it is the longest valid word found so far.
- Return the longest valid word found, or an empty string if none exists.