http://acm.hdu.edu.cn/showproblem.php?pid=1159
裸的最长公共子序列
a[i]=b[j]时dp[i][j]=dp[i-1][j-1]+1
否则dp[i][j]=max(dp[i-1][j],dp[i][j-1])
dp[i][j]表示a串前i个字符和b串前j个字符的lcs
另外子序列(Subsequence)和子串(Substring)是不一样的
前者可以不连续,后者必须连续,做的方法就不一样了
#include<iostream>
#include<cstdio>
#include<cstring>
#include<algorithm>
#include<map>
using namespace std;
int dp[1111][1111];
int main()
{
cin.sync_with_stdio(false);
char a[1111],b[1111];
while (cin>>a+1>>b+1)
{
int al(strlen(a+1));
int bl(strlen(b+1));
for (int i=1;i<=al;i++)
{
for (int j=1;j<=bl;j++)
{
if (a[i]==b[j])
dp[i][j]=dp[i-1][j-1]+1;
else
dp[i][j]=max(dp[i-1][j],dp[i][j-1]);
}
}
cout<<dp[al][bl]<<endl;
}
return 0;
}