Skip to content

Commit 1beabd4

Browse files
committed
Initial opt-in allowed_attrs for additional safety.
1 parent 5663fc2 commit 1beabd4

File tree

3 files changed

+286
-8
lines changed

3 files changed

+286
-8
lines changed

README.rst

+47-4
Original file line numberDiff line numberDiff line change
@@ -432,10 +432,8 @@ version that disallows method invocation on objects:
432432
433433
and then use ``EvalNoMethods`` instead of the ``SimpleEval`` class.
434434

435-
Other...
436-
--------
437-
438-
The library supports Python 3.9 and higher.
435+
Limiting Attribute Access
436+
-------------------------
439437

440438
Object attributes that start with ``_`` or ``func_`` are disallowed by default.
441439
If you really need that (BE CAREFUL!), then modify the module global
@@ -445,6 +443,51 @@ A few builtin functions are listed in ``simpleeval.DISALLOW_FUNCTIONS``. ``type
445443
If you need to give access to this kind of functionality to your expressions, then be very
446444
careful. You'd be better wrapping the functions in your own safe wrappers.
447445

446+
There is an additional layer of protection you can add in by passing in ``allowed_attrs``, which
447+
makes all attribute access based opt-in rather than opt-out - which is a lot safer design:
448+
449+
.. code-block:: pycon
450+
451+
>>> simpleeval("' hello '.strip()", allowed_attrs={})
452+
453+
will throw FeatureNotAvailable - as we've now disabled all attribute access. You can enable some
454+
reasonably sensible defaults with BASIC_ALLOWED_ATTRS:
455+
456+
.. code-block:: pycon
457+
458+
>>> from simpleeval import simpleeval, BASIC_ALLOWED_ATTRS
459+
>>> simpleeval("' hello '.strip()", allowed_attrs=BASIC_ALLOWED_ATTRS)
460+
461+
is fine - ``strip()`` should be safe on strings.
462+
463+
It is recommended to add ``allowed_attrs=BASIC_ALLOWED_ATTRS`` whenever possible, and it will
464+
be the default for 2.x.
465+
466+
You can add your own classes & limit access to attrs:
467+
468+
.. code-block:: pycon
469+
470+
>>> from simpleeval import simpleeval, BASIC_ALLOWED_ATTRS
471+
>>> class Foo:
472+
>>> bar = 42
473+
>>> hidden = "secret"
474+
>>>
475+
>>> our_attributes = BASIC_ALLOWED_ATTRS.copy()
476+
>>> our_attributes[Foo] = {'bar'}
477+
>>> simpleeval("foo.bar", names={"foo": Foo()}, allowed_attrs=our_attributes)
478+
42
479+
480+
>>> simpleeval("foo.hidden", names={"foo": Foo()}, allowed_attrs=our_attributes)
481+
simpleeval.FeatureNotAvailable: Sorry, 'hidden' access not allowed on 'Foo'
482+
483+
will now allow access to `foo.bar` but not allow anything else.
484+
485+
486+
Other...
487+
--------
488+
489+
The library supports Python 3.9 and higher.
490+
448491
The initial idea came from J.F. Sebastian on Stack Overflow
449492
( http://stackoverflow.com/a/9558001/1973500 ) with modifications and many improvements,
450493
see the head of the main file for contributors list.

simpleeval.py

+166-4
Original file line numberDiff line numberDiff line change
@@ -142,11 +142,147 @@
142142
# PyInstaller environment doesn't include this module.
143143
DISALLOW_FUNCTIONS.add(help)
144144

145+
# Opt-in type safety experiment. Will be opt-out in 2.x
146+
147+
BASIC_ALLOWED_ATTRS = {
148+
int: {
149+
"as_integer_ratio",
150+
"bit_length",
151+
"conjugate",
152+
"denominator",
153+
"from_bytes",
154+
"imag",
155+
"numerator",
156+
"real",
157+
"to_bytes",
158+
},
159+
float: {
160+
"as_integer_ratio",
161+
"conjugate",
162+
"fromhex",
163+
"hex",
164+
"imag",
165+
"is_integer",
166+
"real",
167+
},
168+
str: {
169+
"capitalize",
170+
"casefold",
171+
"center",
172+
"count",
173+
"encode",
174+
"endswith",
175+
"expandtabs",
176+
"find",
177+
"format",
178+
"format_map",
179+
"index",
180+
"isalnum",
181+
"isalpha",
182+
"isascii",
183+
"isdecimal",
184+
"isdigit",
185+
"isidentifier",
186+
"islower",
187+
"isnumeric",
188+
"isprintable",
189+
"isspace",
190+
"istitle",
191+
"isupper",
192+
"join",
193+
"ljust",
194+
"lower",
195+
"lstrip",
196+
"maketrans",
197+
"partition",
198+
"removeprefix",
199+
"removesuffix",
200+
"replace",
201+
"rfind",
202+
"rindex",
203+
"rjust",
204+
"rpartition",
205+
"rsplit",
206+
"rstrip",
207+
"split",
208+
"splitlines",
209+
"startswith",
210+
"strip",
211+
"swapcase",
212+
"title",
213+
"translate",
214+
"upper",
215+
"zfill",
216+
},
217+
bool: {
218+
"as_integer_ratio",
219+
"bit_length",
220+
"conjugate",
221+
"denominator",
222+
"from_bytes",
223+
"imag",
224+
"numerator",
225+
"real",
226+
"to_bytes",
227+
},
228+
None: {},
229+
dict: {
230+
"clear",
231+
"copy",
232+
"fromkeys",
233+
"get",
234+
"items",
235+
"keys",
236+
"pop",
237+
"popitem",
238+
"setdefault",
239+
"update",
240+
"values",
241+
},
242+
list: {
243+
"pop",
244+
"append",
245+
"index",
246+
"reverse",
247+
"count",
248+
"sort",
249+
"copy",
250+
"extend",
251+
"clear",
252+
"insert",
253+
"remove",
254+
},
255+
set: {
256+
"pop",
257+
"intersection_update",
258+
"intersection",
259+
"issubset",
260+
"symmetric_difference_update",
261+
"discard",
262+
"isdisjoint",
263+
"difference_update",
264+
"issuperset",
265+
"add",
266+
"copy",
267+
"union",
268+
"clear",
269+
"update",
270+
"symmetric_difference",
271+
"difference",
272+
"remove",
273+
},
274+
tuple: {"index", "count"},
275+
}
276+
145277

146278
########################################
147279
# Exceptions:
148280

149281

282+
class TypeNotSpecified(Exception):
283+
pass
284+
285+
150286
class InvalidExpression(Exception):
151287
"""Generic Exception"""
152288

@@ -344,7 +480,7 @@ class SimpleEval(object): # pylint: disable=too-few-public-methods
344480

345481
expr = ""
346482

347-
def __init__(self, operators=None, functions=None, names=None):
483+
def __init__(self, operators=None, functions=None, names=None, allowed_attrs=None):
348484
"""
349485
Create the evaluator instance. Set up valid operators (+,-, etc)
350486
functions (add, random, get_val, whatever) and names."""
@@ -359,6 +495,7 @@ def __init__(self, operators=None, functions=None, names=None):
359495
self.operators = operators
360496
self.functions = functions
361497
self.names = names
498+
self.allowed_attrs = allowed_attrs
362499

363500
self.nodes = {
364501
ast.Expr: self._eval_expr,
@@ -587,6 +724,8 @@ def _eval_subscript(self, node):
587724
return container[key]
588725

589726
def _eval_attribute(self, node):
727+
# DISALLOW_PREFIXES & DISALLOW_METHODS are global, there's never any access to
728+
# attrs with these names, so we can bail early:
590729
for prefix in DISALLOW_PREFIXES:
591730
if node.attr.startswith(prefix):
592731
raise FeatureNotAvailable(
@@ -598,9 +737,27 @@ def _eval_attribute(self, node):
598737
raise FeatureNotAvailable(
599738
"Sorry, this method is not available. " "({0})".format(node.attr)
600739
)
601-
# eval node
740+
741+
# Evaluate "node" - the thing that we're trying to access an attr of first:
602742
node_evaluated = self._eval(node.value)
603743

744+
# If we've opted in to the 'allowed_attrs' checking per type, then since we now
745+
# know what kind of node we've got, we can check if we're permitted to access this
746+
# attr name on this node:
747+
if self.allowed_attrs is not None:
748+
type_to_check = type(node_evaluated)
749+
750+
allowed_attrs = self.allowed_attrs.get(type_to_check, TypeNotSpecified)
751+
if allowed_attrs == TypeNotSpecified:
752+
raise FeatureNotAvailable(
753+
f"Sorry, attribute access not allowed on '{type_to_check}'"
754+
f" (attempted to access `.{node.attr}`)"
755+
)
756+
if node.attr not in allowed_attrs:
757+
raise FeatureNotAvailable(
758+
f"Sorry, '.{node.attr}' access not allowed on '{type_to_check}'"
759+
)
760+
604761
# Maybe the base object is an actual object, not just a dict
605762
try:
606763
return getattr(node_evaluated, node.attr)
@@ -762,7 +919,12 @@ def do_generator(gi=0):
762919
return to_return
763920

764921

765-
def simple_eval(expr, operators=None, functions=None, names=None):
922+
def simple_eval(expr, operators=None, functions=None, names=None, allowed_attrs=None):
766923
"""Simply evaluate an expresssion"""
767-
s = SimpleEval(operators=operators, functions=functions, names=names)
924+
s = SimpleEval(
925+
operators=operators,
926+
functions=functions,
927+
names=names,
928+
allowed_attrs=allowed_attrs,
929+
)
768930
return s.eval(expr)

test_simpleeval.py

+73
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@
1919

2020
import simpleeval
2121
from simpleeval import (
22+
BASIC_ALLOWED_ATTRS,
2223
AttributeDoesNotExist,
2324
EvalWithCompoundTypes,
2425
FeatureNotAvailable,
@@ -1351,5 +1352,77 @@ def test_no_operators(self):
13511352
s.eval("~ 2")
13521353

13531354

1355+
class TestAllowedAttributes(DRYTest):
1356+
def setUp(self):
1357+
self.saved_disallow_methods = simpleeval.DISALLOW_METHODS
1358+
simpleeval.DISALLOW_METHODS = []
1359+
super().setUp()
1360+
1361+
def tearDown(self) -> None:
1362+
simpleeval.DISALLOW_METHODS = self.saved_disallow_methods
1363+
return super().tearDown()
1364+
1365+
def test_allowed_attrs_(self):
1366+
self.s.allowed_attrs = BASIC_ALLOWED_ATTRS
1367+
self.t("5 + 5", 10)
1368+
self.t('" hello ".strip()', "hello")
1369+
1370+
def test_allowed_extra_attr(self):
1371+
class Foo:
1372+
def bar(self):
1373+
return 42
1374+
1375+
assert Foo().bar() == 42
1376+
1377+
extended_attrs = BASIC_ALLOWED_ATTRS.copy()
1378+
extended_attrs[Foo] = {"bar"}
1379+
1380+
simple_eval("foo.bar()", names={"foo": Foo()}, allowed_attrs=extended_attrs)
1381+
1382+
def test_disallowed_extra_attr(self):
1383+
class Foo:
1384+
bar = 42
1385+
hidden = 100
1386+
1387+
assert Foo().bar == 42
1388+
1389+
extended_attrs = BASIC_ALLOWED_ATTRS.copy()
1390+
extended_attrs[Foo] = {"bar"}
1391+
1392+
self.assertEqual(
1393+
simple_eval("foo.bar", names={"foo": Foo()}, allowed_attrs=extended_attrs), 42
1394+
)
1395+
with self.assertRaisesRegex(FeatureNotAvailable, r".*'\.hidden' access not allowed.*"):
1396+
self.assertEqual(
1397+
simple_eval("foo.hidden", names={"foo": Foo()}, allowed_attrs=extended_attrs), 42
1398+
)
1399+
1400+
def test_disallowed_types(self):
1401+
class Foo:
1402+
bar = 42
1403+
1404+
assert Foo().bar == 42
1405+
1406+
with self.assertRaises(FeatureNotAvailable):
1407+
simple_eval("foo.bar", names={"foo": Foo()}, allowed_attrs=BASIC_ALLOWED_ATTRS)
1408+
1409+
def test_breakout_via_generator(self):
1410+
# Thanks decorator-factory
1411+
class Foo:
1412+
def bar(self):
1413+
yield "Hello, world!"
1414+
1415+
# Test the generator does work - also adds the `yield` to codecov...
1416+
assert list(Foo().bar()) == ["Hello, world!"]
1417+
1418+
evil = "foo.bar().gi_frame.f_globals['__builtins__'].exec('raise RuntimeError(\"Oh no\")')"
1419+
1420+
extended_attrs = BASIC_ALLOWED_ATTRS.copy()
1421+
extended_attrs[Foo] = {"bar"}
1422+
1423+
with self.assertRaisesRegex(FeatureNotAvailable, r".*attempted to access `\.gi_frame`.*"):
1424+
simple_eval(evil, names={"foo": Foo()}, allowed_attrs=extended_attrs)
1425+
1426+
13541427
if __name__ == "__main__": # pragma: no cover
13551428
unittest.main()

0 commit comments

Comments
 (0)