在Python中,`except`关键字用于异常处理,它通常与`try`语句一起使用,以捕获和处理`try`块中可能发生的异常。以下是`except`的一些基本用法:
1. 捕获特定异常:
try:尝试执行的代码result = 10 / 0except ZeroDivisionError:处理除以零的错误print("You can't divide by zero!")
2. 捕获多个异常类型:
try:value = int(input("Enter a number: "))except ValueError:print("Please enter a valid integer.")except Exception as e:print(f"An unexpected error occurred: {e}")
3. 使用元组捕获多个异常类型:

try:file = open("test.txt", "rb")except (IOError, EOFError) as e:print(f"An error occurred: {e.args[-1]}")
4. 捕获所有异常:
try:print(x)except:print("An exception has occurred")
5. 使用`finally`子句进行清理操作:
try:打开文件with open("file.txt", "r") as file:data = file.read()except FileNotFoundError:print("File not found.")finally:清理代码,无论是否发生异常都会执行print("Cleanup code here")
使用`except`时,请确保异常类型正确匹配,以避免捕获不期望的异常。另外,请谨慎使用不带异常类型的`except`子句,因为它会捕获所有异常,包括那些你可能希望让程序崩溃的异常。
