给你两个字符串 word1
和 word2
,请你按下述方法构造一个字符串:
- 从
word1
中选出某个 非空 子序列subsequence1
。 - 从
word2
中选出某个 非空 子序列subsequence2
。 - 连接两个子序列
subsequence1 + subsequence2
,得到字符串。
返回可按上述方法构造的最长 回文串 的 长度 。如果无法构造回文串,返回 0
。
字符串 s
的一个 子序列 是通过从 s
中删除一些(也可能不删除)字符而不更改其余字符的顺序生成的字符串。
回文串 是正着读和反着读结果一致的字符串。
示例 1:
输入:word1 = "cacb", word2 = "cbba" 输出:5 解释:从 word1 中选出 "ab" ,从 word2 中选出 "cba" ,得到回文串 "abcba" 。
示例 2:
输入:word1 = "ab", word2 = "ab" 输出:3 解释:从 word1 中选出 "ab" ,从 word2 中选出 "a" ,得到回文串 "aba" 。
示例 3:
输入:word1 = "aa", word2 = "bb" 输出:0 解释:无法按题面所述方法构造回文串,所以返回 0 。
提示:
1 <= word1.length, word2.length <= 1000
word1
和word2
由小写英文字母组成
方法一:动态规划
我们首先将字符串 word1
和 word2
连接起来,得到字符串 word1
,另一个字符来自 word2
。
我们定义
如果 word1
和 word2
,如果是,我们将答案的最大值更新为
如果
最后我们返回答案即可。
时间复杂度为
class Solution:
def longestPalindrome(self, word1: str, word2: str) -> int:
s = word1 + word2
n = len(s)
f = [[0] * n for _ in range(n)]
for i in range(n):
f[i][i] = 1
ans = 0
for i in range(n - 1, -1, -1):
for j in range(i + 1, n):
if s[i] == s[j]:
f[i][j] = f[i + 1][j - 1] + 2
if i < len(word1) and j >= len(word1):
ans = max(ans, f[i][j])
else:
f[i][j] = max(f[i + 1][j], f[i][j - 1])
return ans
class Solution {
public int longestPalindrome(String word1, String word2) {
String s = word1 + word2;
int n = s.length();
int[][] f = new int[n][n];
for (int i = 0; i < n; ++i) {
f[i][i] = 1;
}
int ans = 0;
for (int i = n - 2; i >= 0; --i) {
for (int j = i + 1; j < n; ++j) {
if (s.charAt(i) == s.charAt(j)) {
f[i][j] = f[i + 1][j - 1] + 2;
if (i < word1.length() && j >= word1.length()) {
ans = Math.max(ans, f[i][j]);
}
} else {
f[i][j] = Math.max(f[i + 1][j], f[i][j - 1]);
}
}
}
return ans;
}
}
class Solution {
public:
int longestPalindrome(string word1, string word2) {
string s = word1 + word2;
int n = s.size();
int f[n][n];
memset(f, 0, sizeof f);
for (int i = 0; i < n; ++i) f[i][i] = 1;
int ans = 0;
for (int i = n - 2; ~i; --i) {
for (int j = i + 1; j < n; ++j) {
if (s[i] == s[j]) {
f[i][j] = f[i + 1][j - 1] + 2;
if (i < word1.size() && j >= word1.size()) {
ans = max(ans, f[i][j]);
}
} else {
f[i][j] = max(f[i + 1][j], f[i][j - 1]);
}
}
}
return ans;
}
};
func longestPalindrome(word1 string, word2 string) (ans int) {
s := word1 + word2
n := len(s)
f := make([][]int, n)
for i := range f {
f[i] = make([]int, n)
f[i][i] = 1
}
for i := n - 2; i >= 0; i-- {
for j := i + 1; j < n; j++ {
if s[i] == s[j] {
f[i][j] = f[i+1][j-1] + 2
if i < len(word1) && j >= len(word1) && ans < f[i][j] {
ans = f[i][j]
}
} else {
f[i][j] = max(f[i+1][j], f[i][j-1])
}
}
}
return ans
}
func max(a, b int) int {
if a > b {
return a
}
return b
}