4

我很难找到“pythonic”的方法来做到这一点:我需要用相同的try-except模式捕获不同的代码块。要捕获的块彼此不同。目前,我在代码的几个点中重复相同的try-except模式,并带有一长串异常。

try:
    block to catch
except E1, e:
    log and do something
except E2, e:
    log and do something
...
except Exception, e:
    log and do something

有一个很好的方法可以使用with 语句上下文管理器装饰器来解决这个问题:

from contextlib import contextmanager

@contextmanager
def error_handler():
    try:
        yield
    except E1, e:
        log and do something
    ...
    except Exception, e:
        log and do something


...
with error_handler():
    block to catch
...

但是,如果我需要知道块中是否存在异常,会发生什么?即是否有任何替代方法可以为try-except-else做类似前面的 with block的事情?

一个用例示例:

for var in vars:
    try:
        block to catch
    except E1, e:
        log and do something
        # continue to the next loop iteration
    except E2, e:
        log and do something
        # continue to the next loop iteration
    ...
    except Exception, e:
        log and do something
        # continue to the next loop iteration
    else:
        do something else

我可以以pythonic的方式做类似的事情以避免一次又一次地重复相同的try-except模式吗?

4

3 回答 3

1

看不到将无异常信息返回给调用者的方法。您只能将错误处理放在单独的函数中

def error_handler(exception):
    if isinstance(exception, E1):
        log and do something
    elif isinstance(exception, E2):
    ...
    else:
        log and do something

try:
    block to catch
except Exception, e:
    error_handler(e)
else:
    do something else
于 2014-05-01T09:45:35.873 回答
1

我可以看到您已经得到了答案,但是在已有的基础上,您可以返回一个指示错误状态的对象,并使用它来检查您的循环。

不过,在使用这种风格之前,您应该真正考虑在这种结构中隐藏错误处理/日志记录是否真的是您想要做的事情,“Pythonic”通常更倾向于明确而不是隐藏细节。

from contextlib import contextmanager

@contextmanager
def error_handler():
    error = True
    try:
        class Internal:
            def caughtError(self): return error
        yield Internal()
    except Exception as e:
        print("Logging#1")
    except BaseException as e:
        print("Logging#2")
    else:
        error = False

with error_handler() as e:
    print("here")
#    raise Exception("hopp")

print(e.caughtError())         # True if an error was logged, False otherwise
于 2014-05-01T13:30:49.443 回答
0

从根本上说,你想让你的错误传播,所以不要说:

def foo():
    try:
        something = xxx
    except ValueError as e:
        logging.warn("oh noes %s", e)
        return 42
    except IndexError as e:
        logging.warn("on no, not again %s", e)
        return 43

    go.on(something=something)

这个怎么样:

def foo():
    try:
        something = xxx
    except Exception:
        logging.exception("oh noes")
        return

    go.on(something=something)

然后也许进一步简化:

def foo():
    go.on(something=xxx)

并让调用者处理错误。

这种方法通常称为Crash Early

于 2014-05-01T10:51:02.693 回答