如何捕获Try / Catch Block Python中的所有异常?

问题描述 投票:2回答:1

我正在编写python代码来安装我的程序在linux环境中所需的所有库包。所以linux可能包含python 2.7或2.6或两者,所以我开发了一个try和除了块代码,将在linux中安装pip包。尝试块代码包含python 2.7版本pip install和Catch块包含python 2.6版本pip install。我的问题是代码的和平工作正常,当我试图在python 2.6中安装pandas它让我有些错误。我想抓住那个例外。你能否告诉我如何改进我的尝试,除了块以捕获该异常

required_libraries = ['pytz','requests','pandas']
try:
   from subprocess import check_output
   pip27_path = subprocess.check_output(['sudo','find','/','-name','pip2.7'])
   lib_installs = [subprocess.call((['sudo',pip27_path.replace('\n',''),'install', i])) for i in required_libraries]
except:
   p = subprocess.Popen(['sudo','find','/','-name','pip2.6'], stdout=subprocess.PIPE);pip26_path, err = p.communicate()
   lib_installs = [subprocess.call((['sudo',pip26_path.replace('\n',''),'install', i])) for i in required_libraries]
python python-3.x python-2.7 exception subprocess
1个回答
14
投票

您可以使用一个块捕获几个异常。让我们对异常使用Exception和ArithmeticError。

try:
    # Do something
    print(q)

# Catch exceptions  
except (Exception, ArithmeticError) as e:
    template = "An exception of type {0} occurred. Arguments:\n{1!r}"
    message = template.format(type(e).__name__, e.args)
    print (message)

如果您需要捕获几个异常并自己处理每个异常,那么您将为每个异常编写一个except语句。

try:
    # Do something
    print(q)

# Catch exceptions  
except Exception as e:
    print (1)

except ArithmeticError as e:
    print (2)

# Code to be executed if the try clause succeeded with no errors or no return/continue/break statement

else:
    print (3)

您还可以检查异常是否为“MyCustomException”类型,例如使用if语句。

if isinstance(e, MyCustomException):
    # Do something
    print(1)

至于你的问题,我建议将代码分成两个函数。

install(required_libraries)

def install(required_libraries, version='pip2.7'):
    # Perform installation
    try:
        from subprocess import check_output
        pip27_path = subprocess.check_output(['sudo','find','/','-name', version])
        lib_installs = [subprocess.call((['sudo',pip27_path.replace('\n',''),'install', i])) for i in required_libraries]

    except Exception as e:
        backup(required_libraries)

def backup(required_libraries, version='pip2.6'):
    try:
        p = subprocess.Popen(['sudo','find','/','-name',version]], stdout=subprocess.PIPE);pip26_path, err = p.communicate()
        lib_installs = [subprocess.call((['sudo',pip26_path.replace('\n',''),'install', i])) for i in required_libraries]

    except Exception as e:
        template = "An exception of type {0} occurred. Arguments:\n{1!r}"
        message = template.format(type(e).__name__, e.args)
        print (message)

        #Handle exception

注意:我没有测试过这个,我也不是专家,所以我希望我能提供帮助。

有用的链接:

  1. Built-in Exceptions
  2. Errors and Exceptions
  3. Compound statements
© www.soinside.com 2019 - 2024. All rights reserved.