算法标签:动态规划

题目简叙

[LeetCode]1143. 最长公共子序列_i++

代码

class Solution {
public:
int longestCommonSubsequence(string text1, string text2) {

int strLen1=text1.size(),strLen2=text2.size();

vector<vector<int>>dp(strLen1+1,vector<int>(strLen2+1,0));
//生成str1+1长str2+1宽的DPTable 全部赋值为0

for(int i=1;i<=strLen1;i++)
for(int j=1;j<=strLen2;j++)
if(text1[i-1]==text2[j-1])dp[i][j]=dp[i-1][j-1]+1;
//如果相等就证明是新的LCS+1
else dp[i][j]=max(dp[i-1][j],dp[i][j-1]);
//如果不相等就证明1143. 最长公共子序列起码有一个不在LCS里,取dp[i-1][j]dp[i][j-1]最大

return dp[strLen1][strLen2];
}
};

AC记录

[LeetCode]1143. 最长公共子序列_公共子序列_02