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:
|
|
|
|
|
|
|
|
- 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
|
|
|
|
|
|
|
|
For example, the string "()()[()]" is properly nested but "[(()]" is not.
|
|
|
|
|
|
|
|
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.
|
|
|
|
|
|
|
|
'''
|
2017-11-25 09:23:50 +00:00
|
|
|
from __future__ import print_function
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
|
|
|
|
def is_balanced(S):
|
|
|
|
|
|
|
|
stack = []
|
2017-10-20 16:35:53 +00:00
|
|
|
open_brackets = set({'(', '[', '{'})
|
|
|
|
closed_brackets = set({')', ']', '}'})
|
|
|
|
open_to_closed = dict({'{':'}', '[':']', '(':')'})
|
|
|
|
|
2016-12-11 09:23:33 +00:00
|
|
|
for i in range(len(S)):
|
2017-10-20 16:35:53 +00:00
|
|
|
|
|
|
|
if S[i] in open_brackets:
|
2016-12-11 09:23:33 +00:00
|
|
|
stack.append(S[i])
|
2017-10-20 16:35:53 +00:00
|
|
|
|
|
|
|
elif S[i] in closed_brackets:
|
|
|
|
if len(stack) == 0 or (len(stack) > 0 and open_to_closed[stack.pop()] != S[i]):
|
2016-12-11 09:23:33 +00:00
|
|
|
return False
|
2017-10-20 16:35:53 +00:00
|
|
|
|
|
|
|
return len(stack) == 0
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
|
|
|
|
def main():
|
|
|
|
|
2016-12-11 09:35:51 +00:00
|
|
|
S = input("Enter sequence of brackets: ")
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
if is_balanced(S):
|
2017-11-25 09:23:50 +00:00
|
|
|
print((S, "is balanced"))
|
2017-10-20 16:35:53 +00:00
|
|
|
|
2016-12-11 09:23:33 +00:00
|
|
|
else:
|
2017-11-25 09:23:50 +00:00
|
|
|
print((S, "is not balanced"))
|
2016-12-11 09:23:33 +00:00
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
main()
|