SetUnhandledExceptionFilter

SetUnhandledExceptionFilter

有什么方法可以获取未捕获的C++异常的.what(),同时还可以安装Windows未处理的异常过滤器?

为了演示,下面的程序...

#include <windows.h>
#include <iostream>

static LONG WINAPI WindowsExceptionHandler(LPEXCEPTION_POINTERS ep) {
    std::cerr << "FOO" << std::endl;
    return EXCEPTION_EXECUTE_HANDLER;
}

void TerminateHandler() {
    std::exception_ptr exception_ptr = std::current_exception();
    try {
        if (exception_ptr) std::rethrow_exception(exception_ptr);
    } catch (const std::exception& e) {
        std::cerr << e.what() << std::endl;
    }
}

int main() {
    SetUnhandledExceptionFilter(WindowsExceptionHandler);
    std::set_terminate(TerminateHandler);
    throw std::runtime_error("BAR");
}

输出:
FOO

我希望它输出BARFOOBAR
注释掉SetUnhandledExceptionFilter使其可以工作(但这是 Not Acceptable ,因为它将无法捕获其他Windows异常类型)。

显然SetUnhandledExceptionFilter以某种方式覆盖了std::set_terminate吗?

最佳答案

所有c++异常内部都使用throw关键字。内部使用 _CxxThrowException ,此api在dwExceptionCode中将 RaiseException 调用 0xE06D7363 函数。因此,如果要使用SetUnhandledExceptionFilter来处理C++异常,则需要调用 TerminateHandler 返回的先前的异常过滤器。

g_prevlpTopLevelExceptionFilter = SetUnhandledExceptionFilter(WindowsExceptionHandler);


if (ExceptionRecord->ExceptionCode == 0xE06D7363) {
    return g_prevlpTopLevelExceptionFilter(ep);
}
LPTOP_LEVEL_EXCEPTION_FILTER g_prevlpTopLevelExceptionFilter;

LONG WINAPI WindowsExceptionHandler(LPEXCEPTION_POINTERS ep) {

    PEXCEPTION_RECORD ExceptionRecord = ep->ExceptionRecord;

    printf("%s: %x at %p", __FUNCTION__,
        ExceptionRecord->ExceptionCode, ExceptionRecord->ExceptionAddress);

    if (ULONG NumberParameters = ExceptionRecord->NumberParameters)
    {
        printf(" { ");
        PULONG_PTR ExceptionInformation = ExceptionRecord->ExceptionInformation;
        do
        {
            printf(" %p", (void*)*ExceptionInformation++);
        } while (--NumberParameters);
        printf(" } ");
    }

    printf("\n");

    if (ExceptionRecord->ExceptionCode == 0xE06D7363) {
        return g_prevlpTopLevelExceptionFilter(ep);
    }

    return EXCEPTION_EXECUTE_HANDLER;
}

void TerminateHandler() {
    MessageBoxW(0, 0, __FUNCTIONW__, MB_ICONWARNING);
    exit(-1);
}

void main() {
    g_prevlpTopLevelExceptionFilter =
        SetUnhandledExceptionFilter(WindowsExceptionHandler);
    set_terminate(TerminateHandler);
    throw "888";
}

关于c++ - 如何将Std::set_terminate与SetUnhandledExceptionFilter一起使用?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/59726462/

10-12 23:51