当你只想做一个try-except而不处理异常时,你在Python中如何做呢?

下面的方法是正确的吗?

try:
    shutil.rmtree(path)
except:
    pass

当前回答

try:
    doSomething()
except Exception: 
    pass

or

try:
    doSomething()
except: 
    pass

不同的是第二个也会捕捉KeyboardInterrupt, SystemExit和类似的东西,它们直接从BaseException派生,而不是Exception。

详见文档:

试着声明 异常

然而,捕捉每个错误通常是糟糕的实践——参见为什么“except: pass”是一个糟糕的编程实践?

其他回答

当你只想做一个try catch而不处理异常时,你在Python中如何做呢?

这取决于你对“处理”的定义。

如果你想抓住它不采取任何行动,你张贴的代码将工作。

如果你的意思是你想对一个异常采取行动,而不阻止该异常上升到堆栈,那么你想要这样的东西:

try:
    do_something()
except:
    handle_exception()
    raise  #re-raise the exact same exception that was thrown

我通常会这样做:

try:
    doSomething()
except:
    _ = ""
try:
    doSomething()
except Exception: 
    pass

or

try:
    doSomething()
except: 
    pass

不同的是第二个也会捕捉KeyboardInterrupt, SystemExit和类似的东西,它们直接从BaseException派生,而不是Exception。

详见文档:

试着声明 异常

然而,捕捉每个错误通常是糟糕的实践——参见为什么“except: pass”是一个糟糕的编程实践?

在Python中,我们处理异常的方式与其他语言类似,但区别在于语法上的不同,例如,

try:
    #Your code in which exception can occur
except <here we can put in a particular exception name>:
    # We can call that exception here also, like ZeroDivisionError()
    # now your code
# We can put in a finally block also
finally:
    # Your code...

首先我引用Jack o'Connor的回答。引用的线程已经关闭,所以我在这里写道:

“在Python 3.4中有一种新的方法可以做到这一点:

from contextlib import suppress

with suppress(Exception):
    # your code

下面是添加它的提交:http://hg.python.org/cpython/rev/406b47c64480

这里是作者Raymond Hettinger,他谈到了这个和其他各种Python热点:https://youtu.be/OSGv2VnC0go?t=43m23s

我对它的补充是Python 2.7的等效:

from contextlib import contextmanager

@contextmanager
def ignored(*exceptions):
    try:
        yield
    except exceptions:
        pass

然后像在Python 3.4中那样使用它:

with ignored(Exception):
    # your code