새소식

자료구조&알고리즘/자료구조

스택_LEET#20: Valid-parentheses

  • -

20. Valid Parentheses

Given a string s 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.

 

Example 1:

Input: s = "()"
Output: true

Example 2:

Input: s = "()[]{}"
Output: true

Example 3:

Input: s = "(]"
Output: false

 


아이디어

(, [, { 는 stack에 push, 그 반대 방향 기호들은 pop한다.
), ], } 인데 stack이 비어있거나 stack.pop()이 해당 기호의 반대 기호가 아니라면 False를 return하게 한다.

 

class Solution:
    def isValid(self, s: str) -> bool:
        stack = []
        bracket = {
            ')':'(',
            '}':'{',
            ']':'[',
        }

        for char in s:
            if char not in bracket:
                stack.append(char)
            elif not stack or bracket[char] != stack.pop():
                return False
        return len(stack) == 0
728x90
Contents