CodeForce 1132F - Clear the String (区间dp)

题意:一个string,每次消可以消掉一串字母相同的子串,问删除整个串的最小删除次数

 

很典型的区间dp,赛场没出可惜了

dp[l][r]表示消除 [ L , R ]区间所需的最小花费

转移方向:

1.单独删除L   dp[l][r]  可以转移到 dp[l+1][r]+1

2.循环遍历区间,设下标为i时存在a[i]==a[l]  此时可以转移到  dp[l+1][i]+dp[i+1][r]

注意如果边界a[l]==a[r]的话,需要特判

 

由于是区间dp,要求的是在求解dp[l][r]时,其所有的子区间都是已知的,在循环时需要将第一维设为区间长度,第二维设为区间左端点

 

#include
using namespace std;
typedef long long ll;
const int maxn=505;
const int inf=99999999;
char a[maxn];
int dp[505][505];
int main()
{
    int n;
    cin>>n;
    for(int i=1;i<=n;i++)
    {
        for (int j = 1; j <= n; j++)
        {
            if(i!=j)dp[i][j]=inf;
            else dp[i][j]=1;
        }
    }

    for(int i=1;i<=n;i++)cin>>a[i];

    for(int len=2;len<=n;len++)
    {
        for(int l=1;l+len-1<=n;l++)
        {
            int r=l+len-1;
            if(a[l]==a[r])
            {
                dp[l][r]=min(dp[l][r],dp[l+1][r]);
            }
            for(int i=l+1;i

 

你可能感兴趣的:(dp)