🎉 One-stop destination for all your technical interview Preparation 🎉
Given two sequences, print the longest subsequence present in both of them.
string lcsPrint(int x, int y, string s1, string s2)
{
int dp[x + 1][y + 1];
for (int i = 0; i < x + 1; i++)
{
for (int j = 0; j < y + 1; j++)
{
if (i == 0 || j == 0)
dp[i][j] = 0;
else if (s1[i - 1] == s2[j - 1])
dp[i][j] = 1 + dp[i - 1][j - 1];
else
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1]);
}
}
string res;
int i = x, j = y;
while (i > 0 && j > 0)
{
if (s1[i - 1] == s2[j - 1])
{
res.push_back(s1[i - 1]);
i--;
j--;
}
else if (dp[i - 1][j] > dp[i][j - 1])
i--;
else
j--;
}
reverse(res.begin(), res.end());
return res;
}