Problem Description
Given the strings s1 and s2 of size n and the string evil, return the number of good strings. A good string has size n, it is alphabetically greater than or equal to s1, it is alphabetically smaller than or equal to s2, and it does not contain the string evil as a substring. Since the answer can be a huge number, return this modulo 10^9 + 7.
Key Insights
- The problem requires generating all strings of length
n
that lie betweens1
ands2
and do not contain the substringevil
. - A dynamic programming approach can be used to efficiently count the valid strings without generating them explicitly.
- The key states in the DP table will keep track of the current position, whether the current string is still bounded by
s1
ors2
, and the length of the matching prefix ofevil
.
Space and Time Complexity
Time Complexity: O(n * m * 2) where n is the length of the strings and m is the length of the evil string.
Space Complexity: O(n * m * 2) for the DP table.
Solution
The solution utilizes dynamic programming along with a finite automaton for string matching. The idea is to maintain a DP table where dp[pos][is_prefix1][is_prefix2][evil_length]
represents the number of valid strings that can be formed starting from position pos
, where is_prefix1
indicates the string is still bound by s1
, is_prefix2
indicates it is still bound by s2
, and evil_length
tracks how many characters of evil
match the current string.
- Initialize a DP table with all values set to zero.
- Iterate through each position of the string from 0 to n.
- For each position, consider each character from 'a' to 'z' and update the DP values based on whether the character can still maintain the bounds with
s1
ands2
, and how it affects the matching ofevil
. - Finally, sum up all valid configurations from the last position.