3

我正在为 Windows 扩展一个 Python 2.7.5 应用程序。该应用程序用于SetUnhandledExceptionFilter安装一个 Python 函数,当发生未处理的 C 异常时调用该函数:

@ctypes.WINFUNCTYPE(ctypes.wintypes.LONG, PEXCEPTION_POINTERS)
def crashHandler(exceptionInfo):
    # Some code that deals with the unhandled C exception...
...
windll.kernel32.SetUnhandledExceptionFilter(crashHandler)

(我将给出PEXCEPTION_POINTERS下面的代码,因为我认为它与这个问题的目的无关。)

在其原始形式crashHandler中,进行一些日志记录并关闭进程。我已经观察到它处理了几次未处理的异常,所以我非常有信心将crashHandler它正确安装为 UnhandledExceptionFilter。

我已经对其进行了一些修改,crashHandler现在想对其进行测试。为此,我的想法是以编程方式引发一个 C 异常,然后应该由crashHandler. 我尝试了以下方法:

>>> windll.kernel32.RaiseException(5, 0, 0, None)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
WindowsError: [Error 5] Access is denied
>>> windll.kernel32.RaiseException(6, 0, 0, None)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
WindowsError: [Error 6] The handle is invalid

因此异常会立即被 Python 解释器捕获,因此不会传播到我的crashHandler.

我如何 a) 禁用 Python 的异常处理或 b) 以编程方式引发 Python 的异常处理机制未捕获并传播到我的 C 异常crashHandler


这是代码PEXCEPTION_POINTERS

from ctypes import Structure
import ctypes
EXCEPTION_MAXIMUM_PARAMETERS = 15
class EXCEPTION_RECORD(Structure):
    pass
PEXCEPTION_RECORD = ctypes.wintypes.POINTER(EXCEPTION_RECORD)
EXCEPTION_RECORD._fields_ = [
    ('ExceptionCode',           ctypes.wintypes.DWORD),
    ('ExceptionFlags',          ctypes.wintypes.DWORD),
    ('ExceptionRecord',         PEXCEPTION_RECORD),
    ('ExceptionAddress',        ctypes.wintypes.LPVOID),
    ('NumberParameters',        ctypes.wintypes.DWORD),
    ('ExceptionInformation',    ctypes.wintypes.LPVOID * EXCEPTION_MAXIMUM_PARAMETERS),
]
class EXCEPTION_POINTERS(Structure):
    _fields_ = [('ExceptionRecord', PEXCEPTION_RECORD),
                ('ContextRecord', ctypes.wintypes.LPVOID)]
PEXCEPTION_POINTERS = ctypes.wintypes.POINTER(EXCEPTION_POINTERS)
4

1 回答 1

2

windll 模块自动捕获调用中发生的 windows SEH 异常,并将其转换为 WindowsError python 异常。因此它们不是未处理的异常。

您需要使用没有这么好的包装器的 API。

您最好的选择是使用 C 扩展模块,该模块通过取消引用随机指针(或空指针)导致访问冲突。

于 2013-10-03T09:42:18.697 回答