2019-10-05 05:14:13 +00:00
|
|
|
"""
|
2016-12-11 09:23:33 +00:00
|
|
|
The nested brackets problem is a problem that determines if a sequence of
|
|
|
|
brackets are properly nested. A sequence of brackets s is considered properly nested
|
|
|
|
if any of the following conditions are true:
|
|
|
|
|
2023-10-24 09:03:22 +00:00
|
|
|
- s is empty
|
|
|
|
- s has the form (U) or [U] or {U} where U is a properly nested string
|
|
|
|
- s has the form VW where V and W are properly nested strings
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
For example, the string "()()[()]" is properly nested but "[(()]" is not.
|
|
|
|
|
2020-06-16 08:09:19 +00:00
|
|
|
The function called is_balanced takes as input a string S which is a sequence of
|
|
|
|
brackets and returns true if S is nested and false otherwise.
|
2019-10-05 05:14:13 +00:00
|
|
|
"""
|
|
|
|
|
|
|
|
|
2023-10-24 09:03:22 +00:00
|
|
|
def is_balanced(s: str) -> bool:
|
|
|
|
"""
|
|
|
|
>>> is_balanced("")
|
|
|
|
True
|
|
|
|
>>> is_balanced("()")
|
|
|
|
True
|
|
|
|
>>> is_balanced("[]")
|
|
|
|
True
|
|
|
|
>>> is_balanced("{}")
|
|
|
|
True
|
|
|
|
>>> is_balanced("()[]{}")
|
|
|
|
True
|
|
|
|
>>> is_balanced("(())")
|
|
|
|
True
|
|
|
|
>>> is_balanced("[[")
|
|
|
|
False
|
|
|
|
>>> is_balanced("([{}])")
|
|
|
|
True
|
|
|
|
>>> is_balanced("(()[)]")
|
|
|
|
False
|
|
|
|
>>> is_balanced("([)]")
|
|
|
|
False
|
|
|
|
>>> is_balanced("[[()]]")
|
|
|
|
True
|
|
|
|
>>> is_balanced("(()(()))")
|
|
|
|
True
|
|
|
|
>>> is_balanced("]")
|
|
|
|
False
|
|
|
|
>>> is_balanced("Life is a bowl of cherries.")
|
|
|
|
True
|
|
|
|
>>> is_balanced("Life is a bowl of che{}ies.")
|
|
|
|
True
|
|
|
|
>>> is_balanced("Life is a bowl of che}{ies.")
|
|
|
|
False
|
|
|
|
"""
|
2023-05-26 07:34:17 +00:00
|
|
|
open_to_closed = {"{": "}", "[": "]", "(": ")"}
|
2023-10-24 09:03:22 +00:00
|
|
|
stack = []
|
|
|
|
for symbol in s:
|
|
|
|
if symbol in open_to_closed:
|
|
|
|
stack.append(symbol)
|
|
|
|
elif symbol in open_to_closed.values() and (
|
|
|
|
not stack or open_to_closed[stack.pop()] != symbol
|
2023-03-01 16:23:33 +00:00
|
|
|
):
|
|
|
|
return False
|
2023-10-24 09:03:22 +00:00
|
|
|
return not stack # stack should be empty
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
|
|
|
|
def main():
|
2020-06-16 08:09:19 +00:00
|
|
|
s = input("Enter sequence of brackets: ")
|
2023-10-24 09:03:22 +00:00
|
|
|
print(f"'{s}' is {'' if is_balanced(s) else 'not '}balanced.")
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
2023-10-24 09:03:22 +00:00
|
|
|
from doctest import testmod
|
|
|
|
|
|
|
|
testmod()
|
2016-12-11 09:23:33 +00:00
|
|
|
main()
|