26. Minimum Cost To Make Two Strings Identical
Last updated
Was this helpful?
Last updated
Was this helpful?
The problem can be found at the following link:
Longest Common Subsequence (LCS) :
Compute the length of the longest common subsequence (LCS) of the two strings x and y.
Use a 2D DP table dp of size (n+1)x(m+1) where n is the length of x and m is the length of y.
Initialize dp[i][0] and dp[0][j] to 0 for all valid i and j because the LCS of any string with an empty string is 0.
Fill the dp table :
If characters match (x[i-1] == y[j-1]), set dp[i][j] = dp[i-1][j-1] + 1.
If characters do not match, set dp[i][j] = max(dp[i-1][j], dp[i][j-1]).
The value at dp[n][m] gives the length of the LCS.
Calculate Minimum Cost :
Subtract the length of the LCS from the lengths of x and y to find the number of characters to delete from each string to make them identical.
The total cost is the sum of the deletion costs for these characters.
Time Complexity: The time complexity of this approach is O(N*M)
Auxiliary Space Complexity: The auxiliary space complexity is O(N*M)
.
For discussions, questions, or doubts related to this solution, please visit our . We welcome your input and aim to foster a collaborative learning environment.
If you find this solution helpful, consider supporting us by giving a ⭐ star to the repository.