Problem of the day
You are given a string ‘st’, Your task is to find the length of the longest repeating subsequence such that two subsequences don’t have the same character at the same position.
For Example :The given string st = AABCBDC.
As you can see there are two repeating longest subsequences “ABC” with the same character but different position. Therefore the required answer is ‘3’ as the length of “ABC” is 3.
The first line of input contains an integer ‘T’ denoting the number of test cases.
The first line of each test case contains a single integer ‘N’, where ‘N’ denotes the length of string ‘st’.
The second line of each test case contains a string ‘st’.
Output Format :
For every test case, print the length of the longest repeating subsequence.
Output for each test case will be printed in a separate line.
Note :
You do not need to print anything; it has already been taken care of. Just implement the given function.
All the characters of the given string ‘st’ are uppercase letters.
1 <= T <= 50
1 <= N <= 100
Time Limit: 1 sec
2
5
ABCAB
7
ABCBDCD
2
3
Test Case 1
Given string ‘st = ABCAB’
As you can see longest repeating subsequence is ‘AB’
So the length of ‘AB’ =2.
Test Case 2
Given string ‘st = ABCBDCD’
As you can see longest repeating subsequence is ‘BCD'
Return length of ‘BCD’ = 3.
2
2
BA
4
BCCB
0
1
The basic idea is the same as the longest common subsequence( LCS), only need to exclude the case when (i==j) because we can’t consider both same characters in both the subsequence.
Follow this step-
LRS[i][j] = LRS[i-1][j-1] +1 where ( st[i-1] == st[j-1] and i!=j)
LRS[i][j] = max(LRS[i-1][j], LRS[i][j-1]) where ( st[i-1] != st[j-1)
Consider base case if(i==0 and j==0) then LRS[0][0]=0
Algorithm
O(2^N), Where ‘N’ is the size of the given string ‘st’.
At every point of the stage, we are calling a recursive function with 2 branches and the depth of a single branch can be ‘N’.
O(N), Where ‘N’ is the size of the given string ‘st’.
We are using a call stack for recursive calls.