洛谷 P2890 [USACO07OPEN] Cheapest Palindrome G 做題記錄

coding_goat_qwq發表於2024-11-16

我不會區間 dp。

\(f_{i,j}\) 表示使得區間 \([i,j]\) 為迴文串的最小操作代價,\(cost_{i,j}\) 表示字母 \(i\) 刪除/新增的耗費,那麼顯而易見的,我們有:

  • \(f_{i,j} \to \min(f_{i,j-1}+\min(cost_{s_j,0},cost_{s_j,1}),f_{i+1,j}+\min(cost_{s_i,0},cost_{s_i,1}))\)
  • \(s_i=s_j\) 時,\(f_{i,j} \to \min(f_{i,j},f_{i+1,j-1})\)

注意到當 \(s_i=s_j\)\(i+1=j\) 時,我們的 \(f\) 會出現取到了左端點大於右端點的情況,因此會鍋,所以我們要提前處理長度為 \(2\) 的迴文。

狀態數為 \(O(m^2)\),轉移 \(O(1)\),時間複雜度 \(O(m^2)\)

點選檢視程式碼
#include<bits/stdc++.h>
#define int ll
#define mem(a,b) memset((a),(b),sizeof(a))
#define m0(a) memset((a),0,sizeof(a))
#define lb(x) ((x)&-(x))
#define lc(x) ((x)<<1)
#define rc(x) (((x)<<1)|1)
#define pb(G,x) (G).push_back((x))
#define For(a,b,c) for(int a=(b);a<=(c);a++)
#define Rep(a,b,c) for(int a=(b);a>=(c);a--)
#define in1(a) a=read()
#define in2(a,b) a=read(), b=read()
#define in3(a,b,c) a=read(), b=read(), c=read()
#define inn(i,n,a) For(i,1,n) a[i]=read();

#define ll long long
#define i128 __int128

using namespace std;
inline int read() {
	int xx= 0;int f= 1;
	char c = getchar();
	while(c<'0'||c>'9') { 
		if(c=='-') f= -1;
		c= getchar();
	}
	while(c>='0'&&c<='9') {
		xx= (xx<<1)+(xx<<3)+(c^48);
		c= getchar();
	}
	return xx*f;
}
#define maxn 2030
int n,m;
string s;
int cst[30][5];
int f[maxn][maxn];
signed main() {
	ios::sync_with_stdio(false);
	cin.tie(0); cout.tie(0);
	cin>>n>>m;
	cin>>s;
	s=' '+s;
	For(i,1,n) {
		char ch;
		cin>>ch;
		ch=ch-'a';
		cin>>cst[ch][0]>>cst[ch][1];
	}
	mem(f,0x3f);
	For(i,1,n) f[i][i]=0;
	For(i,1,n-1) if(s[i]==s[i+1]) f[i][i+1]=0;
	For(len,1,m) {
		For(i,1,m) {
			if(i+len>m) break;
			int j=i+len;
			f[i][j]=min(f[i][j],f[i][j-1]+min(cst[s[j]-'a'][0],cst[s[j]-'a'][1]));
			f[i][j]=min(f[i][j],f[i+1][j]+min(cst[s[i]-'a'][0],cst[s[i]-'a'][1]));
			if(s[i]==s[j]) f[i][j]=min(f[i][j],f[i+1][j-1]);
		}
	}
	cout<<f[1][m];
}