if 语句失败时的 Python 异常

Python Exceptions for when an if statement fails

我有一个简单的异常类:

1
2
3
4
5
class Error(Exception):
    def __init__(self, msg):
        self.msg = msg
    def __str__(self):
        return self.msg

我还有一个 if 语句,我想根据失败情况抛出不同的异常。

1
2
3
4
5
6
7
if not self.active:
    if len(self.recording) > index:
        # something
    else:
        raise Error("failed because index not in bounds")
else:
    raise Error("failed because the object is not active")

这很好用,但是嵌套 ifs 对于这种简单的东西看起来很乱(也许只是我)......我更喜欢像

这样的东西

1
if not self.active and len(self.recording) > index:

然后根据 if 失败的位置/方式抛出异常。

这样的事情可能吗?嵌套 ifs(在第一个示例中)是解决此问题的"最佳"方式吗?

提前谢谢你!

**我使用的一些库需要 Python 2.7,因此,代码适用于 2.7


只有几个嵌套的 if 对我来说看起来非常好......

但是,您可以像这样使用 elif

1
2
3
4
5
6
7
8
9
if not self.active:
    raise Error("failed because the object is not active")
elif len(self.recording) <= index:
   # The interpreter will enter this block if self.active evaluates to True
   # AND index is bigger or equal than len(self.recording), which is when you
   # raise the bounds Error
   raise Error("failed because index not in bounds")
else:
   # something

如果 self.active 计算结果为 False,您将收到错误,因为该对象未处于活动状态。如果它是活动的,但是 self.recording 的长度小于或等于索引,你会得到第二个 index not in bounds 的错误,在任何其他情况下,一切都很好,所以你可以放心运行 # something

编辑:

正如@tdelaney 在他的评论中正确指出的那样,您甚至不需要 elif,因为当您提出 Exception 时,您会退出当前范围,所以应该这样做:

1
2
3
4
5
if not self.active:
    raise Error("failed because the object is not active")
if len(self.recording) <= index:
   raise Error("failed because index not in bounds")
# something