最長公共子序列(模板)
阿新 • • 發佈:2019-01-25
題目描述
給你一個序列X和另一個序列Z,當Z中的所有元素都在X中存在,並且在X中的下標順序是嚴格遞增的,那麼就把Z叫做X的子序列。
例如:Z=<a,b,f,c>是序列X=<a,b,c,f,b,c>的一個子序列,Z中的元素在X中的下標序列為<1,2,4,6>。
現給你兩個序列X和Y,請問它們的最長公共子序列的長度是多少?
輸入
輸入包含多組測試資料。每組輸入佔一行,為兩個字串,由若干個空格分隔。每個字串的長度不超過100。
輸出
對於每組輸入,輸出兩個字串的最長公共子序列的長度。
樣例輸入
abcfbc abfcab
programming contest
abcd mnp
樣例輸出
4
2
0
#include<stdio.h> #include<string.h> int main() { int i,j,len1,len2,a[110][110]; char str1[110],str2[110]; while(scanf("%s %s",str1,str2) != EOF) { memset(a,0,sizeof(a)); len1 = strlen(str1); len2 = strlen(str2); for(i = 1; i <= len1; i ++) { for(j = 1; j <= len2; j ++) { if(str1[i-1] == str2[j-1]) a[i][j] = a[i-1][j-1] + 1; else { if(a[i-1][j] > a[i][j-1]) a[i][j] = a[i-1][j]; else a[i][j] = a[i][j-1]; } } } printf("%d\n",a[len1][len2]); } return 0; }