错误
# 错误
Ptint('xxxooo')
控制台输出
Traceback (most recent call last):
File "/Users/a1/Desktop/Python/PythonProjectFiles/Exception.py", line 3, in <module>
Ptint('xxxooo')
NameError: name 'Ptint' is not defined
Process finished with exit code 1
我们把print
写成了Print
,在运行时控制台就会有如上的NameError
错误提示。控制台会给我们指出错误发生的原因和位置,方便我们进行处理。
异常的产生
运行如下代码,我们尝试(Try
)读取用户的输入内容
# 异常
st = input('Please input something:')
print(st)
然后选择command + d
模拟文件尾标志,控制台就会出现如下异常:
Please input something:Traceback (most recent call last):
File "/Users/a1/Desktop/Python/PythonProjectFiles/Exception.py", line 6, in <module>
st = input('Please input something:')
EOFError: EOF when reading a line
Process finished with exit code 1
上面指出了这是一个EOFError
错误,一个文件尾EOF
出现在了不该出现的位置。
处理异常
我们可以使用try...except
来处理异常,运行的代码放到try
代码块中,处理的代码方放到except
代码块中。
如下代码
try:
st = input('Please input something:')
except EOFError:
print("可能会出现EOF错误!")
except KeyboardInterrupt:
print("取消操作.")
except KeyError:
print('键盘错误.')
else:
print(st)
继续选择command + d
模拟文件尾标志,控制台就会有如下输出
Please input something:可能会出现EOF错误!
Process finished with exit code 0
注意:至少有一个
except
模块来和try
匹配使用。
自定义抛出异常
我们可以通过raise
语句来自主抛出一次异常,方法是:
提供错误名或者异常名以及要抛出异常的对象
请参考下面的代码
# encoding=utf-8
# 抛出异常
"""
我们自己能够引发的错误或异常必须是直接或间接从属于Exceptiony(异常)的派生类。
也就说 是它的子类。
"""
# ShortInputException 一个由用户定义的异常类
class ShortInputException(Exception):
def __init__(self,length,atleast):
Exception.__init__(self)
self.userLength = length
self.userAtleast = atleast
try:
text = input('Please enter something:')
if len(text) < 3:
raise ShortInputException(len(text),3)
except EOFError:
print('EOF ERROR')
except ShortInputException as userException:
print('UserException:The input lenght is {},but must be {}'.format(userException.userLength,userException.userAtleast))
else:
print('NO EXCEPTION.')
控制台输出
Please enter something:w
UserException:The input lenght is 1,but must be 3
Process finished with exit code 0
说明
在
except
语句中,我们提供了错误类,并且将该类存储as(为)
相应的错误名和异常名。这和函数调用中的形参与实参有些类似。同时在这个自主抛出异常的except
语句中我们将使用异常对象userException
的字段来展示一些信息。
如何确保文件对象被正确关闭
如何确保文件对象被正确关闭,可以通过Try...Finally
模块。
代码如下
import sys
import time
f = None
try:
# 默认文件阅读格式
f = open("/Users/a1/Desktop/test.data")
while True:
line = f.readline()
if len(line) == 0:
break
print(line,end='')
sys.stdout.flush()
print("Press ctrl+c now")
# 暂停x秒
time.sleep(2)
except IOError:
print("IO ERROR...Coldn`t find the file")
except KeyboardInterrupt:
print("Operation cancelled...")
finally:
if f:
f.close()
print("File Closed...")
控制台
eeeeeeePress ctrl+c now
File Closed...
Process finished with exit code 0
with语句
如上面的例子,我们在try
中获取资源,然后再finally
中释放资源。但是我们还可以使用with
语句来实现这一过程。 如下,
# with语句
with open("/Users/a1/Desktop/test.data") as f:
for line in f:
print(line,end="")
控制台
eeeeeee
Process finished with exit code 0
说明:
如上,关闭文件的操作由
with open
来自动完成
with
语句使用的协议(Protocol)
,它会自动获取open
语句返回的对象,在上面中就是thefile
。它总会在代码块开始之前调用thefile.__enter__
函数,而且总会在代码块执行完毕之后调用thefile.__exit__
,所以我们在finally
代码块中要特别注意__exit__
方法的自动操作,这能够使我们避免重复显式使用try..finally
语句。