GIVEN A STRING OF PARENTHESIS, PRINT THE LENGTH OF THE LONGEST BALANCED SUBSTRING.
FOR EXAMPLE: GIVEN,
1. ()() ---> 4
2. ()())()()() ---> 6
Brute Force Approach: It is to find all the substrings, and check whether they are balanced or not, and simultaneously updating the result if we find a larger valid substring than the previous one. But, this takes the time of O(N^3), since finding all the substrings take O(N^2), and for each substring, to find whether it is a valid substring, it takes a time of O(N), so this constitutes a total of O(N^3).
USING STACK: In this approach, we will maintain a stack to store the indices of the traversed opening brackets i.e., '('. [YOU WILL KNOW THE REASON SOON, KEEP READING THE POST].
And a variable res, to store the length of the longest substring known till now.
ALGORITHM:
**THE TOP OF THE STACK WILL BE USED TO COMPUTE THE LENGTH OF THE VALID SUBSTRING.
1. Initiate the stack with -1, and res with 0.
2. Start traversing the string.
3. If it is opening bracket '(', push the index into the stack.
4. If it is closing bracket ')':
1. Then pop the element from the stack.
2. If the stack is not empty:
Then the difference between the current index and the top of the stack will give you the length of the substring that is balanced with the closed bracket at the current index. If it is greater than the res, then update res with the difference.
If the stack is empty:
This means that there is no opening bracket to the left of the encountered closing bracket. So, push the current index into the stack which will be used to find the length of the next valid substring.
IF YOU DO NOT UNDERSTAND THIS ALGO, THEN GRAB A BOOK AND PEN, APPLY THIS ALGORITHM TO '()))()()(). I AM SURE YOU WILL UNDERSTAND THE LOGIC BEHIND THIS ALGORITHM.
CODE:
🎉👌
ReplyDelete