本文主要是介绍leetcode打卡#day60 647. 回文子串、516. 最长回文子序列,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
647. 回文子串
class Solution {
public:int countSubstrings(string s) {vector<vector<bool>> dp(s.size(), vector<bool>(s.size(), false));int result = 0;for (int i = s.size() - 1; i >= 0; i--) { // 注意遍历顺序for (int j = i; j < s.size(); j++) {if (s[i] == s[j]) {if (j - i <= 1) { // 情况一 和 情况二result++;dp[i][j] = true;} else if (dp[i + 1][j - 1]) { // 情况三result++;dp[i][j] = true;}}}}return result;}
};
516. 最长回文子序列
class Solution {
public:int longestPalindromeSubseq(string s) {//记录i, j之间的最长回文串的长度,初试值为1,int n = s.size();vector<vector<int>> lens(n, vector<int>(n, 0));//初始化for (int i = 0; i < n; i++) lens[i][i] = 1; int maxlen = 1;//处理 确定遍历顺序for (int i = n-1; i >= 0; --i) {for (int j = i+1; j < n; j++){if (s[i] == s[j]) {//当前回文长度为中间回文长度+2lens[i][j] = lens[i+1][j-1] + 2; maxlen = max(lens[i][j],maxlen);}else {lens[i][j] = max(lens[i+1][j], lens[i][j-1]);}}} return maxlen;}
};
这篇关于leetcode打卡#day60 647. 回文子串、516. 最长回文子序列的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!