Problem Description
You are given a string target
, an array of strings words
, and an integer array costs
, both arrays of the same length. Imagine an empty string s
. You can perform the following operation any number of times (including zero): choose an index i
in the range [0, words.length - 1]
, append words[i]
to s
, and the cost of operation is costs[i]
. Return the minimum cost to make s
equal to target
. If it's not possible, return -1
.
Key Insights
- The objective is to build the
target
string using the providedwords
at the minimum cost. - A dynamic programming approach can be used to keep track of the minimum cost to form each prefix of the
target
string. - For each character in the
target
, we can check all possiblewords
that can contribute to forming that character and update the cost accordingly. - If a character in the
target
cannot be formed using any of the givenwords
, we should return-1
.
Space and Time Complexity
Time Complexity: O(n * m), where n is the length of the target and m is the number of words.
Space Complexity: O(n), for storing the minimum costs for each prefix of the target.
Solution
To solve this problem, we use a dynamic programming approach. We maintain an array dp
where dp[i]
represents the minimum cost to form the prefix target[0...i-1]
. We initialize dp[0]
to 0 (cost to form an empty string is zero) and all other entries to infinity. For each character in the target
, we consider all words
to see if they can contribute to the current prefix. If they can, we update the cost in dp
accordingly.