两个例子中序号1~4调用及返回错误提示,为什么?
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() 函数的返回值,即字符串 宾果!你成功访问到我啦!。因此,若要直接调用 funOut() 返回的 funIn() 函数,即执行 funOut()() 这样的语句,由于函数返回值不是一个可调用对象,会报出 'NoneType' object is not callable 的错误。解决方法是可以将 funOut() 函数的返回值赋值给变量,然后通过变量名来调用 funIn() 函数:
result = funOut()
result()# 调用嵌套函数 funIn(),输出 '宾果!你成功访问到我啦!'
在第二个例子中,funOut() 函数返回的是 funIn(4, 2) 函数的返回值,即整数 6。因此,当通过 funOut()() 这样的语句来尝试调用 funIn(4, 2) 函数时,由于整数不是一个可调用对象,会报出 'int' object is not callable 的错误。解决方法是同样可以将 funOut() 函数的返回值赋值给变量,并使用该变量来调用 funIn(4, 2) 函数:
result = funOut()
print(result)# 输出 6
总之,需要根据实际情况来理解和使用函数嵌套以及函数的返回值,避免将函数返回值视作可调用对象而产生错误。
有用请设置最佳答案 sfqxx 发表于 2023-5-24 20:56
这两个例子中的错误提示和返回值结果都与函数的调用方式有关。
在第一个例子中,funOut() 函数返回的是...
感谢大神指点,
刚测试了下:第一个例子如果按此操作将报错,第二个例子则正确
def funOut():
def funIn():
print('宾果!你成功访问到我啦!')
return funIn()
>>> result = funOut()
宾果!你成功访问到我啦!
>>> result()
Traceback (most recent call last):
File "<pyshell#26>", line 1, in <module>
result()
TypeError: 'NoneType' object is not callable
--------------------------
def funOut():
def funIn(x, y):
return x + y
return funIn(4, 2)
>>> result = funOut()
>>> print(result)
6 lzb1001 发表于 2023-5-24 21:41
感谢大神指点,
刚测试了下:第一个例子如果按此操作将报错,第二个例子则正确
在第一个例子中, `funOut()` 函数返回的是 `funIn()` 函数的执行结果,而 `funIn()` 的执行结果是打印 '宾果!你成功访问到我啦!'这句话,因此 `result` 变量赋值的值是 `None`。当你尝试调用 `result()` 时会发生错误,因为 `None` 不是一个可以被调用的对象。
正确的写法:
def funOut():
def funIn():
print('宾果!你成功访问到我啦!')
return funIn # 返回函数本身,而非执行结果
result = funOut()
result()# 宾果!你成功访问到我啦!
在第二个例子中, `funOut()` 函数返回的是 `funIn()` 函数的执行结果,即 4+2=6,因此 `result` 变量赋值的值为 6。
正确的写法已经无需修改。
写了那么多,给个最佳答案支持一下呗
页:
[1]