尝试...除了多个独立的语句,尽可能多地执行

时间:2013-06-25 01:43:08

标签: python exception exception-handling

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

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))

1 个答案:

答案 0 :(得分: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",)