Problem Description
You are given two strings stamp
and target
. Initially, there is a string s
of length target.length
with all s[i] == '?'
. In one turn, you can place stamp
over s
and replace every letter in s
with the corresponding letter from stamp
. We want to convert s
to target
using at most 10 * target.length
turns. Return an array of the index of the left-most letter being stamped at each turn. If we cannot obtain target
from s
within 10 * target.length
turns, return an empty array.
Key Insights
- We can only stamp
stamp
ontos
if it is fully contained within the boundaries ofs
. - A turn can replace any
?
ins
with the corresponding character fromstamp
. - The goal is to determine the sequence of stamp operations needed to convert
s
totarget
. - We can use a greedy approach to replace segments of
s
withstamp
as we match them withtarget
.
Space and Time Complexity
Time Complexity: O(n * m), where n is the length of target and m is the length of stamp.
Space Complexity: O(n), for the result array and potentially for storing intermediate states.
Solution
To solve the problem, we can use a greedy algorithm that iteratively finds the leftmost position in s
where stamp
can be placed to match the target
. We maintain a boolean array to track which parts of target
have been stamped. We will continue this process until s
matches target
or we exhaust our turns. The main data structures used are a boolean array to mark matched characters and a list to store the indices of stamp operations.