2

我想知道,只是为了好玩,如果我可以使用函数类构造函数创建函数,即没有语言构造def,就像通过实例化类型对象创建类一样。我知道,函数构造函数需要 2 个参数 - 代码对象和全局变量。但我不知道我应该如何正确编译源代码。

>>> def f(): 
...     pass

>>> Function = type(f) 
>>> Function
<class 'function'>
>>> code = compile("x + 10", "<string>", "exec")
>>> f = Function(code, globals())
>>> f()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "<string>", line 1, in <module>
NameError: name 'x' is not defined
>>> f(20)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: <module>() takes 0 positional arguments but 1 was given
4

2 回答 2

4

您需要在代码对象上设置许多属性,例如 co_varnames、co_nlocals 等。显然有效的是

code = compile("def foo(n):return n+10", "<string>", "exec").co_consts[0]
func = Function(code, globals())

但我想这会被认为是作弊。要真正从头开始定义代码对象,请执行(对于 3.3)

code = types.CodeType(1, 0, 1, 2, 67, b'|\x00\x00d\x01\x00\x17S', (None, 10), 
                      (), ('x',), '<string>', 'f', 1, b'\x00\x01')
func = Function(code, globals())
print(func(10))

当然,这需要您自己完成整个 compile() 操作。

于 2013-01-31T16:53:22.610 回答
0

好吧,这行得通:

>>> x = 0
>>> def f(): pass
... 
>>> func = type(f)
>>> code = compile("global x\nx += 10","<string>","exec")
>>> nf = func(code,globals())
>>> nf()
>>> x
10

不过,不知道如何将参数传递给函数。

于 2013-01-31T16:36:55.807 回答