516:最长回文子序列

This commit is contained in:
huangge1199 2021-08-12 09:03:13 +08:00
parent c4d093177a
commit 244d015888
3 changed files with 97 additions and 1 deletions

View File

@ -0,0 +1,65 @@
//给你一个字符串 s 找出其中最长的回文子序列并返回该序列的长度
//
// 子序列定义为不改变剩余字符顺序的情况下删除某些字符或者不删除任何字符形成的一个序列
//
//
//
// 示例 1
//
//
//输入s = "bbbab"
//输出4
//解释一个可能的最长回文子序列为 "bbbb"
//
//
// 示例 2
//
//
//输入s = "cbbd"
//输出2
//解释一个可能的最长回文子序列为 "bb"
//
//
//
//
// 提示
//
//
// 1 <= s.length <= 1000
// s 仅由小写英文字母组成
//
// Related Topics 字符串 动态规划
// 👍 508 👎 0
package leetcode.editor.cn;
//516:最长回文子序列
class LongestPalindromicSubsequence {
public static void main(String[] args) {
//测试代码
Solution solution = new LongestPalindromicSubsequence().new Solution();
System.out.println(solution.longestPalindromeSubseq("bbbab"));
}
//力扣代码
//leetcode submit region begin(Prohibit modification and deletion)
class Solution {
public int longestPalindromeSubseq(String s) {
int length = s.length();
int[][] dp = new int[length][length];
for (int i = length - 1; i >= 0; i--) {
dp[i][i] = 1;
for (int j = i + 1; j < length; j++) {
if (s.charAt(i) == s.charAt(j)) {
dp[i][j] = dp[i + 1][j - 1] + 2;
} else {
dp[i][j] = Math.max(dp[i + 1][j], dp[i][j - 1]);
}
}
}
return dp[0][length - 1];
}
}
//leetcode submit region end(Prohibit modification and deletion)
}

View File

@ -0,0 +1,31 @@
<p>给你一个字符串 <code>s</code> ,找出其中最长的回文子序列,并返回该序列的长度。</p>
<p>子序列定义为:不改变剩余字符顺序的情况下,删除某些字符或者不删除任何字符形成的一个序列。</p>
<p> </p>
<p><strong>示例 1</strong></p>
<pre>
<strong>输入:</strong>s = "bbbab"
<strong>输出:</strong>4
<strong>解释:</strong>一个可能的最长回文子序列为 "bbbb" 。
</pre>
<p><strong>示例 2</strong></p>
<pre>
<strong>输入:</strong>s = "cbbd"
<strong>输出:</strong>2
<strong>解释:</strong>一个可能的最长回文子序列为 "bb" 。
</pre>
<p> </p>
<p><strong>提示:</strong></p>
<ul>
<li><code>1 <= s.length <= 1000</code></li>
<li><code>s</code> 仅由小写英文字母组成</li>
</ul>
<div><div>Related Topics</div><div><li>字符串</li><li>动态规划</li></div></div>\n<div><li>👍 508</li><li>👎 0</li></div>

File diff suppressed because one or more lines are too long