在Python中,我们通常使用try-except语句来处理异常和错误。try块中包含可能会出现异常的代码,except块中包含处理异常的代码。例如:
try:
    # 可能引发异常的代码
    result = 10 / 0
except ZeroDivisionError:
    # 处理ZeroDivisionError异常
    print("除数不能为0")
except Exception as e:
    # 处理其他异常
    print("发生异常:", e)
除了使用try-except语句外,我们还可以使用raise语句来引发自定义的异常。例如:
def divide(x, y):
    if y == 0:
        raise ZeroDivisionError("除数不能为0")
    return x / y
try:
    result = divide(10, 0)
except ZeroDivisionError as e:
    print(e)
另外,在Python中还有一种更高级的异常处理机制是使用上下文管理器来处理异常,可以使用with语句结合try-except语句来实现。例如:
class CustomError(Exception):
    pass
class CustomContextManager:
    def __enter__(self):
        return self
    def __exit__(self, exc_type, exc_value, traceback):
        if exc_type is not None:
            print("发生异常:", exc_type, exc_value)
        return True
with CustomContextManager():
    raise CustomError("自定义异常")
总的来说,在Python中我们可以使用try-except语句、raise语句以及上下文管理器来处理异常和错误,以保证程序的稳定性和健壮性。