如何在装饰器中捕获异常,但允许调用者也捕获该异常?

问题描述

只需在一个块中使用raise;(即,不引发任何特定的问题,仅raise;catch重新引发异常,而无需“重置”回溯。

解决方法

我有一个python函数,可能会引发异常。调用者捕获异常并进行处理。现在,我想向该函数添加一个装饰器,该装饰器 也可以
捕获异常,进行一些处理,然后重新引发该异常,以允许原始调用方对其进行处理。这是可行的,除了当原始调用者显示异常中的调用堆栈时,它会在装饰器中显示重新引发的行,而不是最初发生的行。示例代码:

import sys,traceback

def mydec(func):
    def dec():
        try:
            func()
        except Exception,e:
            print 'Decorator handled exception %s' % e
            raise e
    return dec

@mydec
def myfunc():
    x = 1/0

try:
    myfunc()
except Exception,e:
    print 'Exception: %s' % e
    type,value,tb = sys.exc_info()
    traceback.print_tb(tb)

输出为:

Decorator handled exception integer division or modulo by zero
Exception: integer division or modulo by zero
  File "allbug.py",line 20,in <module>
    myfunc()
  File "allbug.py",line 9,in dec
    raise e

我希望装饰器能够处理异常,但是回溯应该指示x = 1/0行而不是raise行。我怎样才能做到这一点?