执行函数后,Python 脚本返回意外的“无”[重复]
- 2025-03-26 09:08:00
- admin 原创
- 16
问题描述:
背景:Python 完全初学者;搜索过这个问题,但找到的答案更多是关于“什么”而不是“为什么”;
我打算做什么:创建一个函数,从用户那里获取测试分数输入,并根据等级量表/曲线输出字母等级;这是代码:
score = input("Please enter test score: ")
score = int(score)
def letter_grade(score):
if 90 <= score <= 100:
print ("A")
elif 80 <= score <= 89:
print ("B")
elif 70 <= score <= 79:
print("C")
elif 60 <= score <= 69:
print("D")
elif score < 60:
print("F")
print (letter_grade(score))
执行后将返回:
Please enter test score: 45
F
None
不是None
预期的。我发现如果我使用letter_grade(score)
而不是print (letter_grade(score))
, 就None
不会再出现。
我能找到的最接近的答案是这样的:“除非明确指示这样做,否则 Python 中的函数将返回 None”。但我在最后一行确实调用了一个函数,所以我在这里有点困惑。
所以我想我的问题是:是什么导致了 的消失None
?我确信这是非常基本的东西,但我找不到任何解释“幕后”机制的答案。所以如果有人能解释一下,我将不胜感激。谢谢!
解决方案 1:
在 python 中,函数的默认返回值是None
。
>>> def func():pass
>>> print func() #print or print() prints the return Value
None
>>> func() #remove print and the returned value is not printed.
>>>
因此,只需使用:
letter_grade(score) #remove the print
另一种方法是用以下方法替换所有打印return
:
def letter_grade(score):
if 90 <= score <= 100:
return "A"
elif 80 <= score <= 89:
return "B"
elif 70 <= score <= 79:
return "C"
elif 60 <= score <= 69:
return "D"
elif score < 60:
return "F"
else:
#This is returned if all other conditions aren't satisfied
return "Invalid Marks"
现在使用print()
:
>>> print(letter_grade(91))
A
>>> print(letter_grade(45))
F
>>> print(letter_grade(75))
C
>>> print letter_grade(1000)
Invalid Marks
解决方案 2:
没有返回语句的函数称为 void 函数,它从函数中返回 None。要返回 None 以外的值,您需要在函数中使用 return 语句。None、True 和 False 等值不是字符串:它们是 Python 中保留的特殊值和关键字。如果我们到达任何函数的末尾并且没有明确执行任何 return 语句,Python 将自动返回值 None。为了更好地理解,请参见下面的示例。这里stark没有返回任何内容,因此输出将为 None
def stark(): pass
a = stark()
print a
上述代码的输出是:
None
解决方案 3:
这是我的理解。如果没有给出返回值,函数将向控制台返回“none”。由于 print 不是值,如果您使用 print() 作为函数的唯一操作,则在打印语句之后,将向控制台返回“none”。因此,如果函数需要一个值,并且您希望将字符串作为该值返回...
为返回的语句提供如下字符串的值...这是一个非常基本的例子:
def welcome():
return str('Welcome to the maze!')
然后在您想要的位置打印该函数:
print(welcome()):
结果是:
欢迎来到迷宫!