領釦LintCode演算法問題答案-77. 最長公共子序列

二當家的白帽子發表於2020-10-17

領釦LintCode演算法問題答案-77. 最長公共子序列

77. 最長公共子序列

描述

給出兩個字串,找到最長公共子序列(LCS),返回LCS的長度。

最長公共子序列的定義:

最長公共子序列問題是在一組序列(通常2個)中找到最長公共子序列(注意:不同於子串,LCS不需要是連續的子串)。該問題是典型的電腦科學問題,是檔案差異比較程式的基礎,在生物資訊學中也有所應用。

樣例 1:

輸入:  "ABCD" and "EDCA"
輸出:  1

解釋:
LCS 是 'A' 或  'D' 或 'C'

樣例 2:

輸入: "ABCD" and "EACB"
輸出:  2

解釋: 
LCS 是 "AC"

題解

public class Solution {
    /**
     * @param A: A string
     * @param B: A string
     * @return: The length of longest common subsequence of A and B
     */
    public int longestCommonSubsequence(String A, String B) {
        // write your code here
        if (A.length() == 0
            || B.length() == 0) {
            return 0;
        }
        int[][] dp = new int[A.length() + 1][B.length() + 1];

        for (int i = 1; i <= A.length(); i++) {
            for (int j = 1; j <= B.length(); j++) {
                if (A.charAt(i - 1) == B.charAt(j - 1)) {
                    dp[i][j] = dp[i - 1][j - 1] + 1;
                } else {
                    dp[i][j] = Math.max(dp[i - 1][j], dp[i][j - 1]);
                }
            }
        }

        return dp[A.length()][B.length()];
    }
}

原題連結點這裡

鳴謝

非常感謝你願意花時間閱讀本文章,本人水平有限,如果有什麼說的不對的地方,請指正。
歡迎各位留言討論,希望小夥伴們都能每天進步一點點。

相關文章