|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
def funOut():
def funIn():
print('宾果!你成功访问到我啦!')
return funIn()
>>> funOut()() # ----------------------------------------1
宾果!你成功访问到我啦!
Traceback (most recent call last):
File "<pyshell#320>", line 1, in <module>
funOut()()
TypeError: 'NoneType' object is not callable
>>> go = funOut() # -----------------------------------2
宾果!你成功访问到我啦!
>>> go()
Traceback (most recent call last):
File "<pyshell#3>", line 1, in <module>
go()
TypeError: 'NoneType' object is not callable
--------------------------------
def funOut():
def funIn(x, y):
return x + y
return funIn(4, 2)
>>> funOut()() # --------------------------------------3
Traceback (most recent call last):
File "<pyshell#442>", line 1, in <module>
funOut()()
TypeError: 'int' object is not callable
>>> go = funOut() # ---------------------------------4
>>> go
6
>>> go()
Traceback (most recent call last):
File "<pyshell#8>", line 1, in <module>
go()
TypeError: 'int' object is not callable
>>> go(4, 2)
Traceback (most recent call last):
File "<pyshell#9>", line 1, in <module>
go(4, 2)
TypeError: 'int' object is not callable
--------------------------------------------
上面两个例子中序号1~4调用及返回错误提示,为什么?
请大神指点,不甚感谢。
在第一个例子中, `funOut()` 函数返回的是 `funIn()` 函数的执行结果,而 `funIn()` 的执行结果是打印 '宾果!你成功访问到我啦!'这句话,因此 `result` 变量赋值的值是 `None`。当你尝试调用 `result()` 时会发生错误,因为 `None` 不是一个可以被调用的对象。
正确的写法:
def funOut():
def funIn():
print('宾果!你成功访问到我啦!')
return funIn # 返回函数本身,而非执行结果
result = funOut()
result() # 宾果!你成功访问到我啦!
在第二个例子中, `funOut()` 函数返回的是 `funIn()` 函数的执行结果,即 4+2=6,因此 `result` 变量赋值的值为 6。
正确的写法已经无需修改。
写了那么多,给个最佳答案支持一下呗
|
|