solution.rkt 894 B

123456789101112131415161718192021222324252627282930313233
  1. #lang racket
  2. ;; https://leetcode.com/problems/valid-parentheses/
  3. (define (is-left-paren c)
  4. (or (eq? c #\u28)
  5. (eq? c #\[)
  6. (eq? c #\{)))
  7. (define (right-paren c)
  8. (cond ((eq? c #\u28) #\u29)
  9. ((eq? c #\[) #\])
  10. ((eq? c #\{) #\})))
  11. (define/contract (is-valid s)
  12. (-> string? boolean?)
  13. (define (loop s stack)
  14. (if (= 0 (string-length s))
  15. (null? stack)
  16. (let ()
  17. (define c (string-ref s 0))
  18. (define remain (substring s 1))
  19. (if (is-left-paren c)
  20. (loop remain (cons c stack))
  21. (if (null? stack)
  22. #f
  23. (let ()
  24. (define stack-top (car stack))
  25. (if (eq? c (right-paren stack-top))
  26. (loop remain (cdr stack))
  27. #f)))))))
  28. (loop s '()))