问题
题目:[最长公共字串]
思路
字串和子序列的思路差不多,但是状态定义还是有不同。
后者的c[i][j]是序列
Xm和Yn
的最大公共子序列(largest common subsequence)的长度。
此时,c[i][j]表示以x[i]和y[j]结尾的最大公共字串(largest common substring)的长度。
比如X=”ABCDBAB”, Y=”JBCEFGHJ”.
很明显c[3][3]代表以X[3]=C和Y[3]=C结尾的最大公共字串的长度。显然是2,BC和BC,但是如果ABC和JBC就是0了。所以,状态定义一定要搞清楚。
代码
class LongestSubstring {
public:
int findLongest(string A, int n, string B, int m) {
// write code here
if(!n || !m) return 0;
std::vector<std::vector<int>> c(n+1, std::vector<int>(m+1, int()));
int max = 0;
for(int i = 1; i <= n; ++i){
for(int j = 1; j <= m; ++j){
c[i][j] = (A[i-1]==B[j-1])?(c[i-1][j-1])+1:0;
max = std::max(c[i][j],max);
}
}
return max;
}
};