1092. Shortest Common Supersequence
1092. Shortest Common Supersequence
Given two strings str1 and str2, return the shortest string that has both str1 and str2 as subsequences.
If multiple answers exist, you may return any of them.
(A string S is a subsequence of string T if deleting some number of characters from T (possibly 0, and the
characters are chosen anywhere from T) results in the string S.)
Example 1:
Input: str1 = "abac", str2 = "cab"
Output: "cabac"
Explanation:
str1 = "abac" is a subsequence of "cabac" because we can delete the first "c".
str2 = "cab" is a subsequence of "cabac" because we can delete the last "ac".
The answer provided is the shortest such string that satisfies these properties.
Note:
1 <= str1.length, str2.length <= 1000
str1 and str2 consist of lowercase English letters.
- find the LCS
String[][] memo;
public String shortestCommonSupersequence(String s1, String s2) {
int n = s1.length(), m = s2.length();
memo = new String[n][m];
String lcs = lcs(s1, s2);
StringBuilder sb = new StringBuilder();
int i = 0, j = 0, k = 0;
while(i < n || j < m) {
while(i < n && (k >= lcs.length() || s1.charAt(i) != lcs.charAt(k))) sb.append(s1.charAt(i++));
while(j < m && (k >= lcs.length() || s2.charAt(j) != lcs.charAt(k))) sb.append(s2.charAt(j++));
if(k < lcs.length()) sb.append(lcs.charAt(k++));
i++;
j++;
}
return sb.toString();
}
public String lcs(String s1, String s2) {
int i = s1.length()-1, j = s2.length()-1;
if(i == -1 || j == -1) return "";
if(memo[i][j] != null) return memo[i][j];
char c1 = s1.charAt(i), c2 = s2.charAt(j);
String result = null;
if(c1 == c2) {
result = lcs(s1.substring(0, i), s2.substring(0, j)) + c1;
} else {
String sub1 = lcs(s1.substring(0, i), s2);
String sub2 = lcs(s1, s2.substring(0, j));
result = sub1.length() > sub2.length() ? sub1 : sub2;
}
memo[i][j] = result;
return result;
}