NYOJ 36 最长公共子序列

来源:互联网 发布:淘宝赚钱助手怎么用 编辑:程序博客网 时间:2024/04/30 03:18

最长公共子序列

时间限制:3000 ms  |  内存限制:65535 KB

难度:3
描述
咱们就不拐弯抹角了,如题,需要你做的就是写一个程序,得出最长公共子序列。
tip:最长公共子序列也称作最长公共子串(不要求连续),英文缩写为LCS(Longest Common Subsequence)。其定义是,一个序列 S ,如果分别是两个或多个已知序列的子序列,且是所有符合此条件序列中最长的,则 S 称为已知序列的最长公共子序列。
输入
第一行给出一个整数N(0<N<100)表示待测数据组数
接下来每组数据两行,分别为待测的两组字符串。每个字符串长度不大于1000.
输出
每组测试数据输出一个整数,表示最长公共子序列长度。每组结果占一行。
样例输入
2asdfadfsd123abcabc123abc
样例输出
36
来源

经典


#include <stdio.h>#include <iostream>#include <string.h>#include <math.h>#include <cstdlib>#include <algorithm>#include <queue>#include <stack>#include <bits/stdc++.h>using namespace std;const int N=1005;int dp[N][N];short dir[N][N];char s1[N],s2[N];int len1,len2;int lcs(){    for(int i=1;i<=len1;i++){        for(int j=1;j<=len2;j++){            if(s1[i-1]==s2[j-1]){                dp[i][j]=dp[i-1][j-1]+1;                dir[i][j]=1;            }            else if(dp[i-1][j]>=dp[i][j-1]){                dp[i][j]=dp[i-1][j];                dir[i][j]=0;            }            else{                dp[i][j]=dp[i][j-1];                dir[i][j]=2;            }        }    }    return dp[len1][len2];}int main(){    int n;    while(~scanf("%d",&n)){    while(n--){        scanf("%s%s",s1,s2);        len1=strlen(s1);        len2=strlen(s2);        printf("%d\n",lcs());       }    }    return 0;}



0 0