算法训练营Day57(回文子串--总结DP)

647. 回文子串  

647. 回文子串 - 力扣(LeetCode)

class Solution {
    public int countSubstrings(String s) {
        int len = s.length();
        //i到j这个子串是否是回文的
        boolean [][] dp = new boolean[len][len];
        int res = 0;
        for(int i = len-1;i>=0;i--){
            for(int j = i;j

516.最长回文子序列

516. 最长回文子序列 - 力扣(LeetCode)

class Solution {
    public int longestPalindromeSubseq(String s) {
        int len = s.length();
        //i到j会问子序列长度为dpij
        int [][] dp = new int[len][len];
        for (int i = len - 1; i >= 0; i--) { // 从后往前遍历 保证情况不漏
            dp[i][i] = 1; // 初始化
            for (int j = i + 1; j < len; 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], Math.max(dp[i][j], dp[i][j - 1]));
                }
            }
        }
        return dp[0][len - 1];
    }
}

动态规划总结篇

二刷总结!

你可能感兴趣的:(算法)