You are given three integers x
, y
, and z
.
You have x
strings equal to "AA"
, y
strings equal to "BB"
, and z
strings equal to "AB"
. You want to choose some (possibly all or none) of these strings and concactenate them in some order to form a new string. This new string must not contain "AAA"
or "BBB"
as a substring.
Return the maximum possible length of the new string.
A substring is a contiguous non-empty sequence of characters within a string.
Example 1:
Input: x = 2, y = 5, z = 1 Output: 12 Explanation: We can concactenate the strings "BB", "AA", "BB", "AA", "BB", and "AB" in that order. Then, our new string is "BBAABBAABBAB". That string has length 12, and we can show that it is impossible to construct a string of longer length.
Example 2:
Input: x = 3, y = 2, z = 2 Output: 14 Explanation: We can concactenate the strings "AB", "AB", "AA", "BB", "AA", "BB", and "AA" in that order. Then, our new string is "ABABAABBAABBAA". That string has length 14, and we can show that it is impossible to construct a string of longer length.
Constraints:
1 <= x, y, z <= 50
Related Topics:
Math, Greedy, Brainteaser
// OJ: https://leetcode.com/problems/construct-the-longest-new-string
// Author: github.com/lzl124631x
// Time: O(XYZ)
// Space: O(XYZ)
class Solution {
public:
int longestString(int x, int y, int z) {
int m[51][51][51][4] = {};
memset(m, -1, sizeof(m));
function<int(int, int, int, int)> dp = [&](int x, int y, int z, int last) {
if (m[x][y][z][last] != -1) return m[x][y][z][last];
int ans = 0;
if (x && last != 1) ans = max(ans, 2 + dp(x - 1, y, z, 1)); // pick AA
if (y && last <= 1) ans = max(ans, 2 + dp(x, y - 1, z, 2)); // pick BB
if (z && last != 1) ans = max(ans, 2 + dp(x, y, z - 1, 3)); // pick BB
return m[x][y][z][last] = ans;
};
return dp(x, y, z, 0);
}
};
- There is no requirement to match strings of the "AB" type with any specific string. These strings can be placed anywhere within the overall string as "ABABABAB..". Hence we take all "AB"'s.
- Combine "AA" and "BB" strings as "AABB" pairs. Thus, for the total length, we choose the minimum number of occurrences between the two patterns and multiply it by 4. The resulting string will have the pattern "AABB".
- If there are remaining "AA" or "BB" strings, append a single occurrence at the end of the string. For example, with x=2, y=1, and z=0, the resulting string would be "AABBAA".
// OJ: https://leetcode.com/problems/construct-the-longest-new-string
// Author: github.com/lzl124631x
// Time: O(1)
// Space: O(1)
// Ref: https://leetcode.com/problems/construct-the-longest-new-string/solutions/3677601
class Solution {
public:
int longestString(int x, int y, int z) {
int mn = min(x, y);
return (x == y ? 4 * x : 2 * mn + 2 * (mn + 1)) + z * 2;
}
};