3

我试着做一个计算器作为家庭作业。如果我提供正确的输入,它看起来工作正常。但如果我将第一个数字设为空字符串,程序就会崩溃:

TypeError: 'NoneType' object is not subscriptable

为什么会发生这种情况,我该如何解决?

def read_numbers():
    try:
        number1 = float(input("Give first number: "))
        number2 = float(input("Give the second number: "))
        return [number1,number2]
    except ValueError:
        read_numbers()
    except TypeError:
        read_numbers()

def summa():
    numbers = read_numbers()
    return numbers[0]+numbers[1]

command = ""
while command != "q":
    command = input("Give command: ")
    if command == "s":
        print(summa())
    elif command == "q":
        break
4

1 回答 1

4

你的read_numbers()函数并不总是返回任何东西。当函数结束时没有return声明,None而是返回。当您递归时(使用ValueErroror TypeError,您忘记返回递归调用结果。

您将返回递归调用,例如:

def read_numbers():
    try:
        number1 = float(input("Give first number: "))
        number2 = float(input("Give the second number: "))
        return [number1,number2]
    except (ValueError, TypeError):
        return read_numbers()

我将两个异常合并到一个处理程序中。注意通话return中的;read_numbers()仅仅因为嵌套调用返回一个值,并不意味着函数调用本身会自动传递该结果。

但是使用循环会更好:

def read_numbers():
    while True:
        try:
            number1 = float(input("Give first number: "))
            number2 = float(input("Give the second number: "))
            return [number1,number2]
        except ValueError:
            pass  # continue the loop

将在哪里return结束循环以及函数。我删除了TypeError异常,input()总是返回一个字符串,并且float()只会ValueError在传递一个无法解析为浮点数的字符串时引发。TypeErrors 仅在参数属于无法转换为 的类型时引发float,例如字典或自定义对象。

于 2013-11-14T21:12:38.120 回答