使用try时可能有多个Python除语句(不搜索特定的除外)?

时间:2015-12-11 03:17:37

标签: python django try-catch

这是我目前的代码:

def get_queryset(self)
    pk = self.kwargs['pk']

    try: 
        postD = PostD.objects.get(pk=pk)
        # In the line below, PostReply.objects.filter(postD=postD) is
        # not guaranteed to exist, so I am using a try statement.
        return PostReply.objects.filter(postD=postD)

    except:
        postY = PostY.objects.get(pk=pk)
        # In the line below, PostReply.objects.filter(postY=postY) is
        # not guaranteed to exist either, so this may raise an error.
        return PostReply.objects.filter(postY=postY)

    # Here, I want one last except statement to execute if the above try
    # and except statements fail... Is it okay to just add another except
    # statement like this:

    except:
        postR = PostR.objects.get(pk=pk)
        # If the above try and except statement fail, this is guaranteed to
        # not throw an error.
        return PostReply.objects.filter(postR=postR)

我知道我可以这样做:

try:
    # code
except ObjectDoesNotExist:
    # code
except:
    # last part of code

但不能保证我会收到ObjectDoesNotExist错误(我不能保证会得到什么错误)。所以我想知道是否有一种方法可以使用多个except语句而不指定要查找的异常?我上面这样做的方式(我只有try: except: except:可以使用吗?

2 个答案:

答案 0 :(得分:3)

except:将捕获任何内容和所有内容,因此在这种情况下使用第二个除了块是没有意义的。

可能您希望将第一个except块中的代码放入另一个嵌套的try / except块中。

注意Pokemon exception handling被认为是错误的编码风格,如果你只是试图捕捉你想要处理的实际例外情况会更好 - 在这种情况下,只有抓住DoesNotExist就足够了。

您可以考虑使用循环来重构:

PostModels = {
    'postD': PostD,
    'postY': PostY,
    'postR': PostR,    
}

for k,Post in PostModels.items():
    try: 
        post = Post.objects.get(pk=pk)
    except Post.DoesNotExist:
        pass
    else:
        return PostReply.objects.filter(k=post)
else:
    # all 3 lookups failed, how do you want to handle this?

答案 1 :(得分:1)

由于第一个except将捕获从try块引发的任何异常,因此“上述try和except语句失败”的唯一方法是第一个except块中的代码引发一个例外。要抓住它,你应该用try/except

直接包装它
def get_queryset(self)
    try:
        ...
    except:
        try:
            <<original first except-block here>>>
        except:
            <<original second except-block here>>>

此外,一般来说,你应该避免裸except: