给你一个字符串 s ,每一次操作你都可以在字符串的任意位置插入任意字符。
请你返回让 s 成为回文串的 最少操作次数 。
「回文串」是正读和反读都相同的字符串。
示例 1:
输入:s = "zzazz"
输出:0
解释:字符串 "zzazz" 已经是回文串了,所以不需要做任何插入操作。
示例 2:
输入:s = "mbadm"
输出:2
解释:字符串可变为 "mbdadbm" 或者 "mdbabdm" 。
示例 3:
输入:s = "leetcode"
输出:5
解释:插入 5 个字符后字符串变为 "leetcodocteel" 。
示例 4:
输入:s = "g"
输出:0
示例 5:
输入:s = "no"
输出:1
提示:
1 <= s.length <= 500
s 中所有字符都是小写字母。
思路:最长回文子序列变形题,各位思考一下就知道,其实答案不就是求一波最长回文子序列,然后用字符串总长度减去最长回文子序列的长度即可。
class Solution {
public int minInsertions(String s) {
int n=s.length();
int[][] dp=new int[n+1][n+1];
StringBuilder str=new StringBuilder();
for(int i=n-1;i>=0;i--) str.append(s.charAt(i));
String s1=str.toString();
for(int i=1;i<=n;i++)
for(int j=1;j<=n;j++) {
if(s.charAt(i-1)==s1.charAt(j-1))
dp[i][j]=dp[i-1][j-1]+1;
else
dp[i][j]=Math.max(dp[i][j-1], dp[i-1][j]);
}
return n-dp[n][n];
}
}