
- C++ Basics
- C++ Home
- C++ Overview
- C++ Environment Setup
- C++ Basic Syntax
- C++ Comments
- C++ Data Types
- C++ Variable Types
- C++ Variable Scope
- C++ Constants/Literals
- C++ Modifier Types
- C++ Storage Classes
- C++ Operators
- C++ Loop Types
- C++ Decision Making
- C++ Functions
- C++ Numbers
- C++ Arrays
- C++ Strings
- C++ Pointers
- C++ References
- C++ Date & Time
- C++ Basic Input/Output
- C++ Data Structures
- C++ Object Oriented
- C++ Classes & Objects
- C++ Inheritance
- C++ Overloading
- C++ Polymorphism
- C++ Abstraction
- C++ Encapsulation
- C++ Interfaces
C++ Program for Longest Common Subsequence
A subsequence is a sequence with the same order of the set of elements. For the sequence “stuv”, the subsequences are “stu”, “tuv”, “suv”,.... etc.
For a string of length n, there can be 2n ways to create subsequence from the string.
Example
The longest common subsequence for the strings “ ABCDGH ” and “ AEDFHR ” is of length 3.
#include <iostream> #include <string.h> using namespace std; int max(int a, int b); int lcs(char* X, char* Y, int m, int n){ if (m == 0 || n == 0) return 0; if (X[m - 1] == Y[n - 1]) return 1 + lcs(X, Y, m - 1, n - 1); else return max(lcs(X, Y, m, n - 1), lcs(X, Y, m - 1, n)); } int max(int a, int b){ return (a > b) ? a : b; } int main(){ char X[] = "AGGTAB"; char Y[] = "GXTXAYB"; int m = strlen(X); int n = strlen(Y); printf("Length of LCS is %d\n", lcs(X, Y, m, n)); return 0; }
Output
Length of LCS is 4
- Related Articles
- Java Program for Longest Common Subsequence
- Longest Common Subsequence
- Longest Common Subsequence in C++
- Java Program for Longest Palindromic Subsequence
- Java Program for Longest Increasing Subsequence
- Program to find length of longest common subsequence in C++
- Program to find length of longest common subsequence of three strings in Python
- Program for longest common directory path in Python
- C++ Program to Find the Longest Subsequence Common to All Sequences in a Set of Sequences
- Longest Bitonic Subsequence
- Longest Increasing Subsequence
- Longest Palindromic Subsequence
- Longest Increasing Subsequence in Python
- Longest Harmonious Subsequence in C++
- Longest Palindromic Subsequence in C++

Advertisements