Problem Description
You are given an array of strings words
and a string target
. A string x
is called valid if x
is a prefix of any string in words
. Return the minimum number of valid strings that can be concatenated to form target
. If it is not possible to form target
, return -1
.
Key Insights
- A valid string is defined as a prefix of any string in the
words
array. - The problem can be viewed as a prefix matching problem where we need to find how many prefixes are needed to completely form the
target
string. - A greedy approach can be utilized to find the longest valid prefixes first, minimizing the count of valid strings used.
- If at any point a character in
target
cannot match with any prefix inwords
, we should return-1
.
Space and Time Complexity
Time Complexity: O(n * m), where n is the length of the target string and m is the number of strings in the words
array.
Space Complexity: O(w), where w is the total length of all strings in the words
array for storing the prefixes.
Solution
To solve this problem, we can use a greedy algorithm. We will iterate through the target
string while trying to match the longest prefix from the words
array. For each position in the target
, we will check all possible prefixes from the words
and see if they can match the current substring of target
. We will keep track of the number of valid prefixes used and return the count once the entire target
is matched.
- Create a set of valid prefixes from the
words
. - Initialize a counter for the number of valid strings.
- Traverse through the
target
, and at each step, attempt to match the longest valid prefix from the set. - If a match is found, increment the counter and move forward in the
target
. - If no valid prefix can be matched at any point, return
-1
.