未捕获在其他模块中定义的python自定义异常

时间:2017-10-26 18:32:49

标签: python exception exception-handling

让我总结一下:

我有一个包含两个类的模块(注意:这个模块在一个包中):

自定义例外:

class MYAUTHError(Exception):
    def __init__(self, *args, **kwargs):
        print('--- MYAUTHError!!! ---')

和使用此异常的类(此处为示例):

try:
    resp_login.raise_for_status()
except requests.exceptions.HTTPError as ex:
    logging.error("ERROR!!! : user  authentication failed)
    raise MYAUTHError('oups')

在这个模块(文件)中,我知道这有效。例如,我可以编写这样的代码并验证我的自定义异常是否被捕获:

try:
    raise MYAUTHError('oups')
except MYAUTHError:
    print("got it")

但是,当从另一个模块(导入此模块的模块)使用时,我没有成功捕获此自定义异常......

from mypackage import mymodulewithexception

# somewhere in the code, just to test. OK : my class is known.
extest = mymodulewithexception.MYAUTHError('**-test-**')
print(type(extest))

# but this does not catch anything :
except mymodulewithexception.MYAUTHError as ex:
    logging.error("Authentication failed", ex)
    return

我确定,抛出异常,因为调用模块是一个烧瓶应用程序,调试服务器清楚地告诉我抛出异常,因为它没有被处理。

在尝试理解这一点时,我只是用另一个着名的异常替换了我的自定义异常:ValueError。我更改了调用模块中的代码来捕捉这个:当然这很有效。

我甚至试过,只是捕获一个异常(真正的通用类):

   except mymodulewithexception.MYAUTHError as ex:
        print("got it")
   except Exception as ex:
        print('----------------------------------------------------')
        print(ex)
        print('-------------------')

我的自定义异常在第一个捕获中被忽略,但在第二个捕获时被捕获...

如何才能解决我的自定义异常? 或许,包上下文?

感谢您的帮助!

1 个答案:

答案 0 :(得分:1)

通过尝试在一个小例子中重现,我意识到它来自我的模块组织...... 编辑:在包装内导入模块的错误方法

总结一个例子:有2个包(pack1和pack2)。 文件系统上的组织是:

a_directory
|
|--pack1 
|    |-- __init__.py
|    |-- mymodulewithexception.py
|    |-- inheritclass.py
|
|--pack2
     |-- __init__.py
     |-- callerModule.py

pack1.mymodulewithexception.py:

class MYAUTHError(Exception):
def __init__(self, *args, **kwargs):
    print('--- MYAUTHError!!! ---')


class UseMyAUTH:
    def testEx(self):
        print("I am going to user your custom exception!")
        raise MYAUTHError('oups')

pack1.inheritclass.py:

import sys
import os

dir_path = os.path.dirname(os.path.realpath(__file__))
sys.path.append(dir_path)

from mymodulewithexception import UseMyAUTH

class BlablaClass(UseMyAUTH):
    pass

编辑:这种在pack1.inheritclass.py中导入模块的方式是错误的

编辑:改为:

from .mymodulewithexception import UseMyAUTH

class BlablaClass(UseMyAUTH):
    pass

pack2.callerModule.py

from pack1 import mymodulewithexception, inheritclass

blabla = inheritclass.UseMyAUTH()
try:
    blabla.testEx()
except mymodulewithexception.MYAUTHError:
    print('Catched')

我这样运行:

d:\a_directory>  python -m pack2.callerModule

抛出异常,但没有'截获':

mymodulewithexception.MYAUTHError: oups

编辑:现在可行了!!!