-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathscs.cpp
86 lines (73 loc) · 1.9 KB
/
scs.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
/**
* @file scs.cpp
* @author prakash ([email protected])
* @brief
The longest common subsequence (LCS) of two sequences T and P is the
longest sequence L such that L is a subsequence of both T and P. The
shortest common supersequence (SCS) of T and P is the smallest sequence L such
that both T and P are a subsequence of L.
(a) Give efficient algorithms to find the LCS and SCS of two given
sequences. (b) Let d(T,P) be the minimum edit distance between T and P when no
substitutions are allowed (i.e., the only changes are character insertion
and deletion). Prove that d(T,P) = |SCS(T,P)|−|LCS(T,P)| where
|SCS(T,P)| (|LCS(T,P)|) is the size of the shortest SCS (longest LCS)
of T and P
* @version 0.1
* @date 2021-08-27
*
* @copyright Copyright (c) 2021
*
*/
#include <algorithm>
#include <iostream>
#include <string>
using namespace std;
string scs(string X, string Y) {
int m = X.length();
int n = Y.length();
int dp[m + 1][n + 1];
// Fill table in bottom up manner
for (int i = 0; i <= m; i++) {
for (int j = 0; j <= n; j++) {
if (i == 0) {
dp[i][j] = j;
} else if (j == 0) {
dp[i][j] = i;
} else if (X[i - 1] == Y[j - 1]) {
dp[i][j] = 1 + dp[i - 1][j - 1];
} else {
dp[i][j] = 1 + min(dp[i - 1][j], dp[i][j - 1]);
}
}
}
string str;
int i = m, j = n;
while (i > 0 && j > 0) {
if (X[i - 1] == Y[j - 1]) {
str.push_back(X[i - 1]);
i--;j--;
} else if (dp[i - 1][j] > dp[i][j - 1]) {
str.push_back(Y[j - 1]);
j--;
} else {
str.push_back(X[i - 1]);
i--;
}
}
while (i > 0) {
str.push_back(X[i - 1]);
i--;
}
while (j > 0) {
str.push_back(Y[j - 1]);
j--;
}
reverse(str.begin(),str.end());
return str;
}
int main(int argc, const char **argv) {
string X = "abac";
string Y = "cab";
cout << scs(X, Y) << endl;
return 0;
}