DEV Community

Md Abdul Hasib
Md Abdul Hasib

Posted on

3 2

FAANG Interview Question| Longest Valid Parentheses

Given a string containing just the characters '(' and ')', find the length of the longest valid (well-formed) parentheses substring.

Example 1:

Input: s = "(()"
Output: 2
Explanation: The longest valid parentheses substring is "()".
Enter fullscreen mode Exit fullscreen mode

Example 2:

Input: s = ")()())"
Output: 4
Explanation: The longest valid parentheses substring is "()()".
Enter fullscreen mode Exit fullscreen mode

Example 3:

Input: s = ""
Output: 0
Enter fullscreen mode Exit fullscreen mode

Constraints:

  • 0 <= s.length <= 3 * 104
  • s[i] is '(', or ')'.

Solution 1:

# O(n) time | O(n) space - where n is the length of the input string
def longestBalancedSubstring(string):
    stack = [-1]
    longest = 0
    for idx in range(len(string)):
        ch = string[idx]
        if ch == "(":
            stack.append(idx)
        else:
            stack.pop()
            if len(stack) == 0:
                stack.append(idx)
            else:
                top = stack[-1]
                longest = max(longest, idx - top)


    return longest
Enter fullscreen mode Exit fullscreen mode

Better Solution

# O(n) time | O(1) space - where n is the length of the input string
def longestBalancedSubstring(string):
    return max(
            get_longest_sub_string_count(string, True),
            get_longest_sub_string_count(string, False)
        )

def get_longest_sub_string_count(string, left_to_right):
    open_ch= "(" if left_to_right else ")"
    step = 1 if left_to_right else -1
    idx = 0 if left_to_right else len(string) - 1
    open_count = 0
    close_count = 0
    longest = 0
    while idx > -1 and idx < len(string):
        ch = string[idx]
        if ch == open_ch:
            open_count +=1
        else:
            close_count += 1

        if close_count == open_count:
            longest = max(longest, open_count*2)
        elif close_count > open_count:
            open_count = 0
            close_count = 0

        idx += step


    return longest

Enter fullscreen mode Exit fullscreen mode

Sentry image

See why 4M developers consider Sentry, “not bad.”

Fixing code doesn’t have to be the worst part of your day. Learn how Sentry can help.

Learn more

Top comments (0)

Billboard image

The Next Generation Developer Platform

Coherence is the first Platform-as-a-Service you can control. Unlike "black-box" platforms that are opinionated about the infra you can deploy, Coherence is powered by CNC, the open-source IaC framework, which offers limitless customization.

Learn more

👋 Kindness is contagious

Please leave a ❤️ or a friendly comment on this post if you found it helpful!

Okay