Hard
You are given two strings, str1
and str2
, of lengths n
and m
, respectively.
A string word
of length n + m - 1
is defined to be generated by str1
and str2
if it satisfies the following conditions for each index 0 <= i <= n - 1
:
str1[i] == 'T'
, the substring of word
with size m
starting at index i
is equal to str2
, i.e., word[i..(i + m - 1)] == str2
.str1[i] == 'F'
, the substring of word
with size m
starting at index i
is not equal to str2
, i.e., word[i..(i + m - 1)] != str2
.Return the lexicographically smallest possible string that can be generated by str1
and str2
. If no string can be generated, return an empty string ""
.
Example 1:
Input: str1 = “TFTF”, str2 = “ab”
Output: “ababa”
Explanation:
"ababa"
Index | T/F | Substring of length m |
---|---|---|
0 | ‘T’ | “ab” |
1 | ‘F’ | “ba” |
2 | ‘T’ | “ab” |
3 | ‘F’ | “ba” |
The strings "ababa"
and "ababb"
can be generated by str1
and str2
.
Return "ababa"
since it is the lexicographically smaller string.
Example 2:
Input: str1 = “TFTF”, str2 = “abc”
Output: “”
Explanation:
No string that satisfies the conditions can be generated.
Example 3:
Input: str1 = “F”, str2 = “d”
Output: “a”
Constraints:
1 <= n == str1.length <= 104
1 <= m == str2.length <= 500
str1
consists only of 'T'
or 'F'
.str2
consists only of lowercase English characters.public class Solution {
public String generateString(String str1, String str2) {
int n = str1.length();
int m = str2.length();
int l = n + m - 1;
Character[] word = new Character[l];
for (int i = 0; i < n; i++) {
if (str1.charAt(i) == 'T') {
for (int j = 0; j < m; j++) {
int pos = i + j;
if (word[pos] != null && word[pos] != str2.charAt(j)) {
return "";
}
word[pos] = str2.charAt(j);
}
}
}
boolean[] free = new boolean[l];
for (int i = 0; i < l; i++) {
if (word[i] == null) {
word[i] = 'a';
free[i] = true;
}
}
if (n == 0) {
return String.join("", java.util.Collections.nCopies(l, "a"));
}
for (int i = 0; i < n; i++) {
if (str1.charAt(i) == 'F' && intervalEquals(word, str2, i, m)) {
boolean fixed = false;
for (int j = m - 1; j >= 0; j--) {
int pos = i + j;
if (free[pos]) {
word[pos] = 'b';
free[pos] = false;
fixed = true;
break;
}
}
if (!fixed) {
return "";
}
}
}
StringBuilder sb = new StringBuilder();
for (Character c : word) {
sb.append(c);
}
return sb.toString();
}
private boolean intervalEquals(Character[] word, String str2, int i, int m) {
for (int j = 0; j < m; j++) {
if (word[i + j] == null || word[i + j] != str2.charAt(j)) {
return false;
}
}
return true;
}
}