最长公共子序列hdu1503

时间:2022-09-14 11:45:39

题目链接:http://acm.hdu.edu.cn/showproblem.php?pid=1503

题意:给你两个字符串,把这两个字符串合并,使合并之后的字符串最短,并且合并之后的字符之间的相对位置和在原字符串中的相对位置相同,其实意思就是叫我们求最长公共子序列,主要是输出的顺序,一开始不知道要保持相对位置不变,后面百度了才知道。

具体思路就是dp+DFS,dp是计算最长公共子序列的长度和求最长公共子序列时走过的路径,DFS是用来输出答案并保持相对位置不变。

具体看代码:

#include<iostream>
#include<cstring>
#include<algorithm>
#include<queue>
#include<map>
#include<stack>
#include<cmath>
#include<vector>
#include<set>
#include<cstdio>
#include<string>
#include<deque>
using namespace std;
typedef long long LL;
#define eps 1e-8
#define INF 0x3f3f3f3f
#define maxn 1005
/*struct point{
int u,w;
};
bool operator <(const point &s1,const point &s2)
{
if(s1.w!=s2.w)
return s1.w>s2.w;
else
return s1.u>s2.u;
}*/
int dp[][];
int n,m,k,t;
char str1[],str2[];
int path[][];//记录在求LCS时的路径
void DFS(int a,int b)
{
if(a==-&&b==-)//终止条件
return;
if(path[a+][b+]==)
{
DFS(a-,b-);//往对角线方向走
cout<<str1[a];
}
else if(path[a+][b+]==)
{
DFS(a,b-);//往左走
cout<<str2[b];
}
else
{
DFS(a-,b);//往上
cout<<str1[a];
}
}
int main()
{
while(scanf("%s %s",str1,str2)!=EOF)
{
int len1=strlen(str1);
int len2=strlen(str2);
memset(dp,,sizeof(dp));
for(int i=;i<=len1;i++)
path[i][]=;//往上走,直到开头
for(int i=;i<=len2;i++)
path[][i]=;//往左走
for(int i=;i<len1;i++){//因为字符串从0开始,但是dp下标是从1开始,所以dp下标加1
for(int j=;j<len2;j++){
if(str1[i]==str2[j])
{
dp[i+][j+]=max(dp[i+][j+],dp[i][j]+);
path[i+][j+]=;//往对角线方向
}
else if(dp[i+][j]>dp[i][j+])
{
dp[i+][j+]=dp[i+][j];
path[i+][j+]=;//往左走
}
else
{
dp[i+][j+]=dp[i][j+];
path[i+][j+]=;//往上走
}
}
}
DFS(len1-,len2-);//输出答案,从两个字符串的结尾DFS
printf("\n");
}
return ;
}