更改字典作为函数的全局范围

时间:2013-08-12 10:07:14

标签: python python-3.x cpython

我想为Python创建一个@pure装饰器,其中一部分是能够选择性地禁止访问函数的全局范围。

有没有办法以编程方式更改哪个字典事物充当函数的全局/外部范围?

因此,例如在下文中,我希望能够拦截fh的访问权限并抛出错误,但我想允许访问g,因为它是纯粹的功能。

def f():
    print("Non-pure function")

@pure
def g(i):
    return i + 1

@pure
def h(i):
    f()
    return g(i)

1 个答案:

答案 0 :(得分:5)

您必须从旧的函数对象创建

newfunc = type(h)(h.__code__, cleaned_globals, h.__name__, h.__defaults__, h.__closure__)

这里,cleaned_globals是一个字典,用作新创建的函数对象的全局命名空间。所有其他参数都回应原始函数。

cleaned_globals当然可以基于h.__globals__的副本。

演示:

>>> def h(i):
...     f()
...     return g(i)
... 
>>> def g(i):
...     return i + 1
... 
>>> def f():
...     print("Non-pure function")
... 
>>> h(1)
Non-pure function
2
>>> cleaned_globals = {'g': g}
>>> newfunc = type(h)(h.__code__, cleaned_globals, h.__name__, h.__defaults__, h.__closure__)
>>> newfunc(1)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "<stdin>", line 2, in h
NameError: global name 'f' is not defined
>>> cleaned_globals['f'] = lambda: print('Injected function')
>>> newfunc(1)
Injected function
2