我们研究了秋季的动态规划理论,并且我试图深入研究并继续深入研究它。我正在尝试一种天真的方法来处理LCS问题,正如TopCoder文章中提到的那样:Dynamic Programming
算法如下:
function LCS(S, T)
if S is empty or T is empty then
return empty string
if first char of S == first char of T then
return (first char of S) + LCS(S - first char, T - first char)
otherwise // first chars are different
return longer of LCS(S - first char, T) and LCS(S, T - first char)
例如,给定字符串" ABCDE"和" DACACBE",最长的共同子序列是" ACE"。
然而,我输出有效的子串" ABE"而不是正确的" ACE"。我的实施顺序有什么问题?
#include <iostream>
#include <string>
using namespace std;
string LCS(string s, string t);
int main(){
string A = "ABCDE";
string B = "DACACBE";
cout << LCS(A,B) << endl;
return 0;
}
string LCS(string s, string t){
string sSub = "";
string tSub = "";
if(!s.empty())
sSub = s.substr(1);
if(!t.empty())
tSub = t.substr(1);
if(s.empty() || t.empty()){
return ""; // return an empty string if either are empty
}
if(s[0] == t[0]){
string firstOfS = "";
firstOfS += s[0];
firstOfS += LCS(sSub, tSub);
return s[0] + LCS(sSub, tSub);
}
else{
string a = LCS(sSub, t);
string b = LCS(s, tSub);
if(a.length() > b.length()){
return a;
}
else{
return b;
}
}
}
答案 0 :(得分:0)
else{
if(a.length() > b.length()){
return a;
}
else{
return b;
}
}
如果a.length()= b.length()你总是返回b怎么办?具有相同的长度并不意味着它们是相等的。这就是为什么你有一个不同的答案,但正确的答案:)