
\#include "stdafx.h"\
/\*\
求最长公共子串(Longest Common Subsequence, LCS)\
题目:如果字符串一的所有字符按其在字符串中的顺序出现在另外一个字符串二中,\
则字符串一称之为字符串二的子串。\
注意,并不要求子串(字符串一)的字符必须连续出现在字符串二中。\
请编写一个函数,输入两个字符串,求它们的最长公共子串,并打印出最长公共子串。\
例如:输入两个字符串BDCABA和ABCBDAB,字符串BCBA和BDAB都是是它们的最长公共子串,则输出它们的长度4,并打印任意一个子串。\
\
\*/\
int g\_LSCLength[256][256];\
int GetLCS( const char \*str1, const char \*str2 ){\
int len1 = strlen( str1 );\
int len2 = strlen( str2 );\
for( int i = 0; i \< len1; i++ )\
for( int j = 0; j \< len2; j++ )\
{\
if( i == 0 || j == 0 ){\
if( str1[i] == str2[j] ){\
g\_LSCLength[i][j] = 1;\
}\
else\
g\_LSCLength[i][j] = 0;\
}\
else{\
if( str1[i] == str2[j] )\
g\_LSCLength[i][j] = g\_LSCLength[i-1][j-1] + 1;\
else\
g\_LSCLength[i][j] = std::max(g\_LSCLength[i-1][j], g\_LSCLength[i][j-1]);\
}\
}\
\
return g\_LSCLength[len1-1][len2-1];\
}\
\
int main(){\
char \*str1("BDCABA");\
char \*str2("ABCBDAB");\
\
cout \<\< GetLCS( str1, str2 ) \<\< endl;\
}