Given a string s, find the longest palindromic subsequence's length ins.
A subsequence is a sequence that can be derived from another sequence by deleting some or no elements without changing the order of the remaining elements.
Example 1:
Input: s = "bbbab"
Output: 4
Explanation: One possible longest palindromic subsequence is "bbbb".
Example 2:
Input: s = "cbbd"
Output: 2
Explanation: One possible longest palindromic subsequence is "bb".
Constraints:
1 <= s.length <= 1000
s consists only of lowercase English letters.
Solutions
Solution 1: Dynamic Programming
We define \(f[i][j]\) as the length of the longest palindromic subsequence from the \(i\)-th character to the \(j\)-th character in string \(s\). Initially, \(f[i][i] = 1\), and the values of other positions are all \(0\).
Since the value of \(f[i][j]\) is related to \(f[i + 1][j - 1]\), \(f[i + 1][j]\), and \(f[i][j - 1]\), we should enumerate \(i\) from large to small, and enumerate \(j\) from small to large.
The answer is \(f[0][n - 1]\).
The time complexity is \(O(n^2)\), and the space complexity is \(O(n^2)\). Where \(n\) is the length of the string \(s\).