-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathBalanceExpression.py
51 lines (42 loc) · 1.59 KB
/
BalanceExpression.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
"""
Problem: Minimum number of bracket reversals needed to make an expression balanced.
Description: Given an expression with only '}' and '{'. The expression may not be balanced.
Find minimum number of bracket reversals to make the expression balanced.
Examples:
1. Input: exp = "}{"
Output: 2
Description: We need to change '}' to '{' and '{' to '}' so that the expression becomes
balanced, the balanced expression is '{}'
2. Input: exp = "{{{"
Output: Can't be made balanced using reversals
Algorithm:
1. Check length of expression is odd or even. If odd raise exception.
2. Convert string_expression to list
"""
__author__ = "Pratik Shah"
__maintainer__ = __author__
from Exceptions import OddLengthException
def count_reversals_required_to_balance_string(input_string):
""" Count number of reversals required to balance given expression """
if len(input_string) % 2:
raise OddLengthException("ERROR: String cannot be balanced because it has odd number" \
" of characters.")
open_bracket_count = 0
number_of_reversals_required = 0
for index_counter in range(len(input_string)):
if input_string[index_counter] == "{":
open_bracket_count += 1
else:
if open_bracket_count == 0:
open_bracket_count += 1
number_of_reversals_required += 1
else:
open_bracket_count -= 1
number_of_reversals_required += open_bracket_count / 2
print number_of_reversals_required
if __name__ == '__main__':
try:
string_expression = raw_input("Enter string expression: ")
count_reversals_required_to_balance_string(string_expression)
except OddLengthException as olse:
print olse