题意:给出两个字符串,求新的长度最小的字符串,使得给出的两个字符串均是它的子序列。

题解:要想最小,就是让两个字串合并起来时相同排列的尽可能合并成一个,即最长公共子序列。所以先求一遍最长公共子序列s,同时记录串s第i位分别是给出的两个字符串s1和s2的哪一位,如果对于s的第k位,对应于s1串的第i位,那么位于s1串i位之前未写进答案串的所有字符均应当在s[k]之前写进去,s2同理可得。

View Code
 1 #include<cstdio>
 2 #include<cstring>
 3 #include<algorithm>
 4 using namespace std;
 5 int dp[105][105];
 6 int main()
 7 {
 8     int pos1[105],pos2[105];
 9     char s1[105],s2[105],tp[205],ans[205];
10     while(scanf("%s%s",s1+1,s2+1)!=EOF)
11     {
12         memset(dp,0,sizeof(dp));
13         int len1=strlen(s1+1),len2=strlen(s2+1);
14         for(int i=1;i<=len1;i++)
15             for(int j=1;j<=len2;j++)
16                 if(s1[i]==s2[j])
17                     dp[i][j]=dp[i-1][j-1]+1;
18                 else
19                     dp[i][j]=max(dp[i-1][j],dp[i][j-1]);
20         int len=dp[len1][len2];
21         pos1[len]=pos2[len]=10000;
22         tp[len--]='\0';
23         for(int i=len1,j=len2;i!=0&&j!=0;)
24         {
25             if(s1[i]==s2[j]&&dp[i][j]==dp[i-1][j-1]+1)
26                 tp[len]=s1[i],pos1[len]=i,pos2[len]=j,len--,i--,j--;
27             else if(dp[i][j]==dp[i-1][j])
28                 i--;
29             else
30                 j--;
31         }
32         len=dp[len1][len2];
33         int top=0;
34         for(int i=1,j=1,k=0;i<=len1||j<=len2;)
35         {
36             while(i<=len1&&i<pos1[k])
37                 ans[top++]=s1[i++];
38             while(j<=len2&&j<pos2[k])
39                 ans[top++]=s2[j++];
40             if(k<=len)
41                 ans[top++]=tp[k++],i++,j++;
42         }
43         ans[top]='\0';
44         puts(ans);
45     }
46     return 0;
47 }