LeetCode-516:最长回文子序列

LeetCode-516:最长回文子序列



给定一个字符串s,找到其中最长的回文子序列。可以假设s的最大长度为1000。
示例 1:
    输入:    "bbbab"
    输出:    4    
    一个可能的最长回文子序列为 "bbbb"。
示例 2:
    输入:"cbbd"  
    输出:    2    
    一个可能的最长回文子序列为 "bb"。

思路:

dp[i][j]表示s[i..j]代表的字符串的最长回文子序列;

d[i][i]=1;

dp[i][j] = \begin{Bmatrix}dp[i+1][j-1] + 2;if chs[i] == chs[j] \\ max(dp[i+1][j],dp[i][j-1]);if chs[i] != chs[j]] \end{Bmatrix}

 

 1. 记忆化搜索解法:

    int[][] dp;
    public int longestPalindromeSubseq(String s) {
        int len = s.length();
        char[] chs = s.toCharArray();
        dp = new int[len][len];           
        for(int i = 0;i < len;i++)
            dp[i][i] = 1;
        return longestPalindromeSubseq(chs,0,len-1);
    }
    public int longestPalindromeSubseq(char[] chs,int i,int j) {
        if(i > j || i == chs.length || j == -1)
            return 0;           
        if(dp[i][j] != 0)
            return dp[i][j];        
        if(chs[i] == chs[j])
            dp[i][j] = longestPalindromeSubseq(chs,i+1,j-1) + 2;
        else
            dp[i][j] = Math.max(longestPalindromeSubseq(chs,i+1,j),longestPalindromeSubseq(chs,i,j-1));
        return dp[i][j];                 
    }

 

 2. 动态规划解法:
  

    public int longestPalindromeSubseq(String s) {
        int len = s.length();
        char[] chs = s.toCharArray();
        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(chs[i] == chs[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][len-1];
    }


 

你可能感兴趣的:(LeetCode刷题之路)