LeetCode1143. 最长公共子序列

class Solution {
    
    
public:
    int longestCommonSubsequence(string text1, string text2) {
    
    
        int m = text1.size(), n = text2.size();
        vector<vector<int>> dp(m + 1, vector<int>(n + 1, 0));

        for (int i = 1; i < m + 1;i++)
        {
    
    
            for (int j = 1;j < n + 1;j++)
            {
    
    
                if (text1[i - 1] == text2[j - 1])
                {
    
    
                    dp[i][j] = dp[i - 1][j - 1] + 1;
                }
                else
                {
    
    
                    dp[i][j] = dp[i - 1][j] > dp[i][j - 1] ? dp[i - 1][j] : dp[i][j - 1];
                }
            }
        }
        return dp[m][n];

    }
};

猜你喜欢

转载自blog.csdn.net/qq_32862515/article/details/107735270