Araf_12

Longest Common Subsequences

May 29th, 2023 (edited)
73
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
C++ 1.13 KB | None | 0 0
  1. // The longest common subsequence in C++
  2.  
  3. #include <iostream>
  4. using namespace std;
  5.  
  6. void lcsAlgo(char *S1, char *S2, int m, int n) {
  7.   int LCS_table[m + 1][n + 1];
  8.  
  9.  
  10.   // Building the mtrix in bottom-up way
  11.   for (int i = 0; i <= m; i++) {
  12.     for (int j = 0; j <= n; j++) {
  13.       if (i == 0 || j == 0)
  14.         LCS_table[i][j] = 0;
  15.       else if (S1[i - 1] == S2[j - 1])
  16.         LCS_table[i][j] = LCS_table[i - 1][j - 1] + 1;
  17.       else
  18.         LCS_table[i][j] = max(LCS_table[i - 1][j], LCS_table[i][j - 1]);
  19.     }
  20.   }
  21.  
  22.   int index = LCS_table[m][n];
  23.   char lcsAlgo[index + 1];
  24.   lcsAlgo[index] = '\0';
  25.  
  26.   int i = m, j = n;
  27.   while (i > 0 && j > 0) {
  28.     if (S1[i - 1] == S2[j - 1]) {
  29.       lcsAlgo[index - 1] = S1[i - 1];
  30.       i--;
  31.       j--;
  32.       index--;
  33.     }
  34.  
  35.     else if (LCS_table[i - 1][j] > LCS_table[i][j - 1])
  36.       i--;
  37.     else
  38.       j--;
  39.   }
  40.  
  41.   // Printing the sub sequences
  42.   cout << "S1 : " << S1 << "\nS2 : " << S2 << "\nLCS: " << lcsAlgo << "\n";
  43. }
  44.  
  45. int main() {
  46.   char S1[] = "ACADB";
  47.   char S2[] = "CBDA";
  48.   int m = strlen(S1);
  49.   int n = strlen(S2);
  50.  
  51.   lcsAlgo(S1, S2, m, n);
  52. }
Add Comment
Please, Sign In to add comment