我在python的另一个函数中定义了一个函数,现在我想调用内部函数。这是可能的,在python?
如何从func2
致电func3
?
def func1():
def func2():
print("Hello!")
def func3():
# Enter code to call func2 here
答案 0 :(得分:10)
你不能,至少不能直接。
我不确定你为什么要那样做。如果您希望能够从func2()
外部拨打func1()
,只需在适当的外部范围内定义func2()
。
您可以这样做的一种方法是将参数传递给func1()
,表明它应该调用func2()
:
def func1(call_func2=False):
def func2():
print("Hello!")
if call_func2:
return func2()
def func3():
func1(True)
但由于这需要修改现有代码,因此您也可以将func2()
移至与func1()
相同的范围。
我不建议您这样做,但是,通过一些间接,您可以访问func1()
函数对象并访问它的代码对象。然后使用该代码对象访问内部函数func2()
的代码对象。最后用exec()
:
>>> exec(func1.__code__.co_consts[1])
Hello!
概括来说,如果您有任意顺序的多个嵌套函数,并且您想按名称调用特定的函数:
from types import CodeType
for obj in func1.__code__.co_consts:
if isinstance(obj, CodeType) and obj.co_name == 'func2':
exec(obj)
答案 1 :(得分:3)
让我们深入探讨它:
您可以通过以下三种方法完成此操作:
第一种方法:
只需从main函数返回嵌套函数,这样return将成为嵌套函数的调用者:
def func1():
def func2():
print("Hello!")
return func2()
def func3():
return func1()
func3()
输出:
Hello!
第二种方法:即使你可以直接将参数传递给嵌套 功能:
Using Closure concept :
def func1():
def func2(x):
print("Hello {}".format(x))
return func2
closure=func1()
def func3():
return closure('bob')
func3()
看上面的例子,Main函数不接受任何参数,但嵌套函数有一个参数,所以在这里我直接将参数传递给嵌套函数。
第三种方法:
你可以尝试这个小小的hacky:
def func1():
def func2():
print("Hello")
return func2
def func3():
return func1()()
func3()