ast.literal_eval()
'executes' the AST parse tree of an evaluation, and limits this to a strict subset that only allows for standard Python literals. You could take the source code and add assignment support (where I'd use a separate dictionary to handle names).
You'd have to add Assign
and Name
node handling (Python 3 version):
def literal_eval(node_or_string, namespace):
"""
Safely evaluate an expression node or a string containing a Python
expression. The string or node provided may only consist of the following
Python literal structures: strings, bytes, numbers, tuples, lists, dicts,
sets, booleans, and None.
"""
if isinstance(node_or_string, str):
node_or_string = ast.parse(node_or_string, mode='exec')
if isinstance(node_or_string, ast.Module):
node_or_string = node_or_string.body
def _convert(node, ns=None):
if isinstance(node, (ast.Str, ast.Bytes)):
return node.s
elif isinstance(node, ast.Num):
return node.n
elif isinstance(node, ast.Tuple):
return tuple(map(_convert, node.elts))
elif isinstance(node, ast.List):
return list(map(_convert, node.elts))
elif isinstance(node, ast.Set):
return set(map(_convert, node.elts))
elif isinstance(node, ast.Dict):
return dict((_convert(k), _convert(v)) for k, v
in zip(node.keys, node.values))
elif isinstance(node, ast.NameConstant):
return node.value
elif isinstance(node, ast.UnaryOp) and \
isinstance(node.op, (ast.UAdd, ast.USub)) and \
isinstance(node.operand, (ast.Num, ast.UnaryOp, ast.BinOp)):
operand = _convert(node.operand)
if isinstance(node.op, ast.UAdd):
return + operand
else:
return - operand
elif isinstance(node, ast.BinOp) and \
isinstance(node.op, (ast.Add, ast.Sub)) and \
isinstance(node.right, (ast.Num, ast.UnaryOp, ast.BinOp)) and \
isinstance(node.left, (ast.Num, ast.UnaryOp, ast.BinOp)):
left = _convert(node.left)
right = _convert(node.right)
if isinstance(node.op, ast.Add):
return left + right
else:
return left - right
elif isinstance(node, ast.Assign) and \
len(node.targets) == 1 and \
isinstance(node.targets[0], ast.Name):
assert isinstance(ns, dict) # will be None when not top-level
ns[node.targets[0].id] = _convert(node.value)
return
raise ValueError('malformed node or string: ' + repr(node))
return _convert(node_or_string, namespace)
Or you could use the asteval
project, which does exactly that and a little more, supporting simple expressions and assignment, using AST tree interpretation.