20. Valid Parentheses

Easy

Given a string containing just the characters '(', ')', '{', '}', '[' and ']', determine if the input string is valid. An input string is valid if: 1. Open brackets must be closed by the same type of brackets. 2. Open brackets must be closed in the correct order. Note that an empty string is also considered valid.

class Solution:
    def isValid(self, s: str) -> bool:
        bracket_dict = {')': '(', '}': '{', ']' : '[' }
        stack = []
        
        for c in s:
            if c in bracket_dict.keys():
                
                if stack:    
                    top_element = stack.pop()
                else:
                    top_element = '#'
               
                if top_element != bracket_dict[c]:
                    return False
            else:
                stack.append(c)
                
        if stack:
            return False
        
        return True

Last updated

Was this helpful?