2

我想执行几个函数,收集它们的异常(如果有的话),并引发一个复合异常,调用尽可能多的函数而不会在一个异常后中断。例如,说我有

def f():
    do_one()
    do_two()
    do_three()

这些do_i功能不依赖于彼此的状态。做我想做的最明显的方法是:

def f():
    errors = []
    for do_i in [do_one, do_two, do_three]:
        try:
            do_i()
        except Exception as e:
            errors.append(e)
    if errors:
        raise Exception(';'.join(errors))

或稍微好一点:

def catch_error(arr, f, *args, **kwargs):
    try:
        return f(*args, **kwargs)
    except Exception as e:
        arr.append(e)
        return None

def f():
    errors = []
    for do_i in [do_one, do_two, do_three]:
        catch_error(errors, do_i)
    if errors:
        raise Exception(';'.join(errors))

但这仍然很丑陋。有没有一种我缺少的 Pythonic 方法来做到这一点,也许巧妙地使用了一个with语句?

编辑:在一个梦想的世界里,Python 会有这个:

errors = []
awesome_block(errors):
    do_one()
    do_two()
    do_three()
return 'yes!' if not errors else ';'.join(map(str, errors))
4

1 回答 1

3

您可以将您的函数重写为上下文管理器,这确实简化了您的代码。我保持了您传递列表的约定,尽管这会产生内部列表,因此您以后可以使用它。

from contextlib import contextmanager

@contextmanager
def catch_errors(error_list=None):
    error_list = error_list if error_list is not None else []
    try:
        yield error_list
    except Exception as e:
        error_list.append(e)

error_list = []
with catch_errors(error_list):
    raise Exception("First exception")
with catch_errors(error_list):
    raise ValueError("Second exception")

if error_list:
    raise Exception(";".join(map(repr, error_list)))

我觉得reprstr这里有用。@contextmanager允许在 with 语句中使用,而您只需将函数编写为生成器。

如果您没有将列表传递给生成器,那么您需要跟踪返回的列表。

with catch_errors() as errors1:
     raise Exception("First exception")
print errors1 # Exception("First exception",)
于 2013-06-25T02:02:10.513 回答