짬뽕얼큰하게의 맨땅에 헤딩 :: Shortest Common Supersequence

Leetcode Problem:

Summary

  • Given two strings str1 and str2, return the shortest string that has both str1 and str2 as subsequences.

Approach

  • The approach used is dynamic programming
  • We first create a 2D array dp where dp[i][j] represents the length of the shortest common supersequence of the first i characters of str1 and the first j characters of str2
  • Then we construct the shortest common supersequence by tracing back the dp array.

Complexity

  • O(n*m) where n and m are the lengths of str1 and str2 respectively.

Explanation

  • The solution first initializes a 2D array dp of size (n+1) x (m+1) where n and m are the lengths of str1 and str2 respectively
  • It then fills up the dp array using dynamic programming
  • For each cell dp[i][j], if the current characters in str1 and str2 are the same, it increments the value by 1
  • Otherwise, it takes the maximum value from the top and left cells
  • After filling up the dp array, it constructs the shortest common supersequence by tracing back the dp array
  • Finally, it appends any remaining characters from str1 and str2 to the supersequence.

Solution Code:


class Solution {
public:
    int dp[1001][1001];
    string shortestCommonSupersequence(string str1, string str2) {
        int cnt1 = 0;
        for(int i = 0 ; i < str1.size(); i++){
            for(int j = 0 ; j < str2.size(); j++){
                if(str1[i] == str2[j]){
                    dp[i+1][j+1] = dp[i][j] + 1;
                } else{
                    dp[i+1][j+1] = max(dp[i+1][j], dp[i][j+1]);
                }
            }
        }
        string s = "";
        int i = str1.size();
        int j = str2.size();
        while(i > 0 && j > 0){
            if(dp[i][j] == dp[i][j-1]){
                j--;
            } else if(dp[i][j] == dp[i-1][j]){
                i--;
            } else{
                s += str1[i-1];
                i--;
                j--;
            }
        }
        reverse(s.begin(), s.end());
        string res = "";
        int idx1 = 0;
        int idx2 = 0;
        for(int i = 0; i < s.size(); i++){
            while(str1[idx1] != s[i]){
                res += str1[idx1];
                idx1++;
            }
            while(str2[idx2] != s[i]){
                res += str2[idx2];
                idx2++;
            }
            res += s[i];
            idx1++;
            idx2++;
        }
        while(idx1 < str1.size()){
            res += str1[idx1++];
        }
        while(idx2 < str2.size()){
            res += str2[idx2++];
        }

        return res;
    }
};
블로그 이미지

짬뽕얼큰하게

,