只要用户输入非整型数据,程序立刻就会蹦出不和谐的异常信息然后崩溃。请使用学的异常处理方法修改以下程序,提高用户体验
import random
secret = random.randint(1,10)
print('------------------python异常练习题------------------')
temp = input("不妨猜一下心里想的是哪个数字:")
try:
guess = int(temp)
except ValueError:
print('输入错误类型值!')
guess = secret
while guess != secret:
temp = input("哎呀,猜错了,请重新输入吧:")
guess = int(temp)
if guess == secret:
print("真厉害,猜对了哦!")
print("哼,猜中了也没有奖励!")
else:
if guess > secret:
print("太大喽~~~")
else:
print("太小喽~~~")
print("游戏结束,不玩啦~")
input() 函数有可能产生两类异常:EOFError(文件末尾endoffile,当用户按下组合键 Ctrl+d 产生)和 KeyboardInterrupt(取消输入,当用户按下组合键 Ctrl+c 产生),再次修改上边代码,捕获处理 input() 的两类异常,提高用户体验。
import random
secret = random.randint(1,10)
print('------------------python异常练习题------------------')
try:
temp = input("不妨猜一下心里想的是哪个数字:")
guess = int(temp)
except (ValueError, EOFError, KeyboardInterrupt):
print('输入错误类型值!')
guess = secret
while guess != secret:
temp = input("哎呀,猜错了,请重新输入吧:")
guess = int(temp)
if guess == secret:
print("真厉害,猜对了哦!")
print("哼,猜中了也没有奖励!")
else:
if guess > secret:
print("太大喽~~~")
else:
print("太小喽")
print("游戏结束,不玩啦~")
尝试一个新的函数 int_input(),当用户输入整数的时候正常返回,否则提示出错并要求重新输入
def int_input(prompt=''):
while True:
try:
int(input(prompt))
break
except ValueError:
print('出错,您输入的不是整数!')
int_input('请输入一个整数:')
把文件关闭放在 finally 语句块中执行还是会出现问题,像下边这个代码,当前文件夹中并不存在"My_File.txt"这个文件,那么程序执行起来会发生什么事情呢?你有办法解决这个问题吗?
>>> 出错啦:[Errno 2] No such file or directory: 'My_File.txt'
Traceback (most recent call last):
File "C:\Users\FishC000\Desktop\test.py", line 7, in <module>
f.close()
NameError: name 'f' is not defined
更改如下:
try:
f = open('My_File.txt') # 当前文件夹中并不存在"My_File.txt"这个文件T_T
print(f.read())
except OSError as reason:
print('出错啦:' + str(reason))
finally:
if 'f' in locals(): # 如果文件对象变量存在当前局部变量符号表的话,说明打开成功
f.close()