总时间限制: 1000ms 内存限制: 65536kB

描述

A subsequence of a given sequence is the given sequence with some elements (possible none) left out. Given a sequence X = < x, x, …, x > another sequence Z = < z, z, …, z > is a subsequence of X if there exists a strictly increasing sequence < i, i, …, i > of indices of X such that for all j = 1,2,…,k, x = zj. For example, Z = < a, b, f, c > is a subsequence of X = < a, b, c, f, b, c > with index sequence < 1, 2, 4, 6 >. Given two sequences X and Y the problem is to find the length of the maximum-length common subsequence of X and Y.

输入

The program input is from the std input. Each data set in the input contains two strings representing the given sequences. The sequences are separated by any number of white spaces. The input data are correct.

输出

For each set of data the program prints on the standard output the length of the maximum-length common subsequence from the beginning of a separate line.

样例输入

  1. abcfbc abfcab
  2. programming contest
  3. abcd mnp

样例输出

  1. 4
  2. 2
  3. 0

思路

输入串s1, s2, 设 MaxLen(i, j) 表示:

s1左边第i个字符形成的字串, 与s2左边第j个字符形成的字串的最长公共子序列的长度(i, j从0开始计数).

MaxLen(i, j)就是本题的状态.

假定 len1 = strlen(s1), len2 = strlen(s2) , 那么题目要求MaxLen(s1, s2).

显然, 边界条件为:

  • MaxLen(n, 0) = 0(n = 0, …, len1)
  • MaxLen(0, n) = 0(n=0, …, len2)

递推式为:

  1. if( s1[i-1] == s2[j-1] )
  2. MaxLen(i, j) = MaxLen(i-1, j-1) + 1;
  3. else
  4. MaxLen(i, j) = Max( MaxLen(i, j-1), MaxLen(i-1, j) );

代码

  1. #include <iostream>
  2. #include <algorithm>
  3. #include <cstring>
  4. using namespace std;
  5. char s1[1024];
  6. char s2[1024];
  7. int maxLen[1024][1024];
  8. int main() {
  9. while(cin >> s1 >> s2) {
  10. int len1 = strlen(s1);
  11. int len2 = strlen(s2);
  12. for(int i = 0; i <= len1; i++)
  13. maxLen[i][0] = 0;
  14. for(int i = 0; i <= len2; i++)
  15. maxLen[0][i] = 0;
  16. /* Compute every state */
  17. for(int i = 1; i <= len1; i++) {
  18. for(int j = 1; j <= len2; j++) {
  19. if( s1[i-1] == s2[j-1] )
  20. maxLen[i][j] = maxLen[i-1][j-1] + 1;
  21. else
  22. maxLen[i][j] = max(maxLen[i][j-1],
  23. maxLen[i-1][j]);
  24. }
  25. }
  26. cout << maxLen[len1][len2] << endl;
  27. }
  28. return 0;
  29. }