fc71d0ddb40415446bf0c5505205dc1a1907c9db
[python-bulletml.git] / bulletml / expr.py
1 """BulletML expression evaluator.
2
3 http://www.asahi-net.or.jp/~cs8k-cyu/bulletml/index_e.html
4 """
5
6 # BulletML assumes 1/2 = 0.5.
7 from __future__ import division
8
9 import random
10 import re
11
12 from bulletml.errors import Error
13
14 class ExprError(Error):
15 """Raised when an invalid expression is evaluated/compiled."""
16 pass
17
18 class NumberDef(object):
19 """BulletML numeric expression.
20
21 This translates BulletML numeric expressions into Python expressions.
22 The
23
24 Examples:
25 35
26 360/16
27 0.7 + 0.9*$rand
28 180-$rank*20
29 (2+$1)*0.3
30
31 """
32
33 GLOBALS = dict(random=random.random, __builtins__={})
34
35 def __init__(self, expr):
36 try:
37 expr = expr.string
38 except AttributeError:
39 pass
40 self.string = expr
41 repl = lambda match: "params[%d]" % (int(match.group()[1:]) - 1)
42 expr = re.sub(r"\$\d+", repl, expr.lower())
43 self.__expr = expr.replace("$rand", "random()").replace("$rank", "rank")
44 try:
45 try:
46 self._value = eval(self.__expr, dict(__builtins__={}))
47 except NameError:
48 variables = dict(rank=1, params=[0] * 99)
49 value = eval(self.__expr, self.GLOBALS, variables)
50 if not isinstance(value, (int, float)):
51 raise TypeError(expr)
52 self._value = None
53 except Exception:
54 raise ExprError(expr)
55 self.__expr = compile(self.__expr, __file__, "eval")
56
57 def __call__(self, params, rank):
58 """Evaluate the expression and return its value."""
59 if self._value is not None:
60 return self._value
61 variables = { 'rank': rank, 'params': params }
62 return eval(self.__expr, self.GLOBALS, variables)
63
64 def __repr__(self):
65 return "%s(%r)" % (type(self).__name__, self.string)
66
67 class INumberDef(NumberDef):
68 """A NumberDef, but returns rounded integer results."""
69 def __init__(self, expr):
70 super(INumberDef, self).__init__(expr)
71 if self._value is not None:
72 self._value = int(round(self._value))
73
74 def __call__(self, params, rank):
75 if self._value is not None:
76 return self._value
77 return int(round(super(INumberDef, self).__call__(params, rank)))