A big topic of discussion inside the company is "How should the new creations be called?" A mixture between an apple and a pear could be called an apple-pear, of course, but this doesn't sound very interesting. The boss finally decides to use the shortest string that contains both names of the original fruits as sub-strings as the new name. For instance, "applear" contains "apple" and "pear" (APPLEar and apPlEAR), and there is no shorter string that has the same property.
A combination of a cranberry and a boysenberry would therefore be called a "boysecranberry" or a "craboysenberry", for example.
Your job is to write a program that computes such a shortest name for a combination of two given fruits. Your algorithm should be efficient, otherwise it is unlikely that it will execute in the alloted time for long fruit names.
Input is terminated by end of file.
题意:将两个字符串结合起来,他们的公共子串只输出一次。
根据:lcs原理,标记每一个字符,根据标记状态输出。
#include<stdio.h>
#include<string.h>
#include<algorithm>
using namespace std;
char s1[105],s2[105];
int dp[105][105],vis[105][105];
void output(int a,int b)
{
if(a==0 && b==0)
return;
else if(a==0)
{
output(a,b-1);
printf("%c",s2[b-1]);
}
else if(b==0)
{
output(a-1,b);
printf("%c",s1[a-1]);
}
else if(vis[a][b]==1)
{
output(a-1,b-1);
printf("%c",s1[a-1]);
}
else if(vis[a][b]==2)
{
output(a-1,b);
printf("%c",s1[a-1]);
}
else
{
output(a,b-1);
printf("%c",s2[b-1]);
}
}
int main()
{
int i,j,len1,len2;
while(scanf("%s%s",s1,s2)!=EOF)
{
memset(dp,0,sizeof(dp));
memset(vis,0,sizeof(vis));
len1=strlen(s1);
len2=strlen(s2);
for(i=1;i<=len1;i++)
{
for(j=1;j<=len2;j++)
{
if(s1[i-1]==s2[j-1])
{
dp[i][j]=dp[i-1][j-1]+1;
vis[i][j]=1;
}
else if(dp[i-1][j]>dp[i][j-1])
{
dp[i][j]=dp[i-1][j];//s1串中”当前“最后一个字符 不是公共的。
vis[i][j]=2;
}
else
{
dp[i][j]=dp[i][j-1];//s2串中”当前“最后一个字符 不是公共的。
vis[i][j]=3;
}
}
}
output(len1,len2);
printf("\n");
}
return 0;
}