-
Notifications
You must be signed in to change notification settings - Fork 353
/
Copy pathLCS_Recursion.c
36 lines (32 loc) · 875 Bytes
/
LCS_Recursion.c
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
#include<stdio.h>
int LCS(char s1[], char s2[]);
int LCS_utility(char s1[], char s2[], int s1_ind, int s2_ind);
#define max(x,y) ( (x) > (y) ? (x) : (y))
int main()
{
// char s1[] = "abcd", s2[]="axd";
// char s1[] = "abcdef", s2[] = "axyczf";
char s1[] = "abcdefghijklmnopqrstuvwxyz", s2[]="selvakumarbalakrishnan";
int lcs;
lcs = LCS(s1,s2);
printf("%d", lcs);
return 0;
}
int LCS(char s1[], char s2[])
{
return LCS_utility(s1,s2,0,0);
}
int LCS_utility(char s1[], char s2[], int s1_ind, int s2_ind)
{
int left, right;
if(s1[s1_ind] == 0 || s2[s2_ind] == 0)
return 0;
if(s1[s1_ind] == s2[s2_ind])
return 1 + LCS_utility(s1,s2, s1_ind+1, s2_ind+1);
else
{
left=LCS_utility(s1, s2, s1_ind,s2_ind+1);
right = LCS_utility(s1,s2, s1_ind+1,s2_ind);
return max(left,right);
}
}