|
| 1 | +""" Prefix calculator. Takes a space-delimited string like '* ( / 10 5 ) ( + ( - 5 2 ) ( * 1 3 ) )' |
| 2 | +and parses it, builds an AST, and reduces the AST to a number by running specified operators. """ |
| 3 | + |
| 4 | +__author__ = "Caleb Madrigal" |
| 5 | +__date__ = "2015-03-04" |
| 6 | + |
| 7 | + |
| 8 | +def calc(node): |
| 9 | + if node == (): |
| 10 | + return |
| 11 | + (op, a, b) = node[0], node[1], node[2] |
| 12 | + if type(a) == tuple: |
| 13 | + a = calc(a) |
| 14 | + if type(b) == tuple: |
| 15 | + b = calc(b) |
| 16 | + if op == '+': |
| 17 | + return a + b |
| 18 | + elif op == '-': |
| 19 | + return a - b |
| 20 | + elif op == '*': |
| 21 | + return a * b |
| 22 | + elif op == '/': |
| 23 | + return a / b |
| 24 | + |
| 25 | + |
| 26 | +def build_ast(token_list): |
| 27 | + if not token_list: |
| 28 | + return (), () |
| 29 | + token, *rest = token_list |
| 30 | + if token == '(': |
| 31 | + internal, remainder = build_ast(rest) |
| 32 | + internal2, remainder2 = build_ast(remainder) |
| 33 | + return (internal,) + internal2, remainder2 |
| 34 | + elif token == ')': |
| 35 | + return (), rest |
| 36 | + elif token in ['+', '-', '*', '/']: |
| 37 | + internal, remainder = build_ast(rest) |
| 38 | + return (token,) + internal, remainder |
| 39 | + else: # Token is number |
| 40 | + internal, remainder = build_ast(rest) |
| 41 | + return (float(token),) + internal, remainder |
| 42 | + |
| 43 | + |
| 44 | +def parse(calc_str): |
| 45 | + return calc_str.split() |
| 46 | + |
| 47 | +if __name__ == '__main__': |
| 48 | + calc_str = '+ ( * 2 2 ) ( - ( + 3 2 ) 4 )' |
| 49 | + parsed = parse(calc_str) |
| 50 | + ast, _ = build_ast(parsed) |
| 51 | + print("Original: '{}'".format(calc_str)) |
| 52 | + print("Parsed:", parsed) |
| 53 | + print("AST:", ast) |
| 54 | + print("Result:", calc(ast)) |
| 55 | + |
| 56 | + calc_str2 = '* ( / 10 5 ) ( + ( - 5 2 ) ( * 1 3 ) )' |
| 57 | + ast, _ = build_ast(parse(calc_str2)) |
| 58 | + print("\nOriginal: '{}'".format(calc_str2)) |
| 59 | + print("AST:", ast) |
| 60 | + print("Result:", calc(ast)) |
| 61 | + |
0 commit comments