2

像往常一样,我遇到了一个非常奇怪的问题。

事实上,我不太确定问题到底是什么,但我确定症状是什么。应用程序正在接收消息、处理消息和调用 API,但无济于事,除非在某些看似异常的情况下。

我试图抓住一个按键,即转义键。当应用程序接收到它时,它会PostQuitMessage()稍后调用并完成处理(清理)。问题是当PostQuitMessage()被调用时,什么都没有发生。 窗口仍然坐在那里,我假设 API 失败(但它返回 void,所以我不知道),因为我在 Spy++ 上没有看到任何引用或类似WM_QUITWM_CLOSE东西。

导致窗口关闭的事情包括单击关闭按钮 [x] 或从非客户区或标题栏拖动窗口,然后按 Escape。只需单击窗口,“alt-tabbing?” 到窗口,我能想到的一切都不允许窗口响应,尽管正在处理消息。

我将在下面发布相关代码。如果有人有任何要求、建议或解决方案,欢迎提出!感谢您的宝贵时间,祝您有美好的一天。

这是窗口过程;它的地址存储方式与本文GWLP_USERDATA中描述的方法类似。我之前在其他应用程序中使用过这个,从未遇到过这个问题,收到的句柄是有效的——这个功能不起作用!?

LONG_PTR MainWindow::HandleMessage(UINT Message,
    WPARAM WParam, LPARAM LParam) {
        switch(CurrentState) {
        case Introduction:
            return HandleIntroMessage(Message, WParam, LParam);
        default:
            return DefWindowProc(Window(), Message, WParam, LParam);
        }
}

LONG_PTR MainWindow::HandleIntroMessage(UINT Message,
    WPARAM WParam, LPARAM LParam) {
        switch(Message) {
            case WM_KEYDOWN:
                switch (WParam) {
                    case VK_ESCAPE:
                        PostQuitMessage(0);
                        return false;
                }
            case WM_DESTROY:
                PostQuitMessage(0);
            default:
                return DefWindowProc(Window(), Message, WParam, LParam);
        }
}

和身体的一部分wWinMain()

std::unique_ptr<ApplicationMutex> EnsureOneInstance(new ApplicationMutex);


    /*
    * If the instance is not first, return with the return value of the API
    * SetForegroundWindow after trying to find the window. 
    */
    if(!EnsureOneInstance->IsInstanceFirst(L"SDV") ) {
        (SetForegroundWindow(FindWindow(nullptr, L"SDV") ) );
        return 1;
    }

    /*
    * Create and show our main window; initialize the frame.
    */
    std::unique_ptr<MainWindow> MainWin(new MainWindow() );
    MainWin->SwitchState(Introduction);
    MainWin->CreateWindowWithUserFormat();


    ShowWindow(MainWin->Window(), SW_SHOWNORMAL);

    SetActiveWindow(MainWin->Window() );
    SetFocus(MainWin->Window() );

    assert(MainWin->Window() != nullptr);

    std::unique_ptr<ApplicationEngine> SDV(new ApplicationEngine(MainWin->Window(),
        ThisInstance, CmdLine, CmdShow) );
    SDV->Initialize();

    MSG Message;
    int Res = 1;

    while(Res = GetMessage(&Message, MainWin->Window(), 0, 0) > 0) {
        TranslateMessage(&Message);
        DispatchMessage(&Message);
    }

    if(Res == -1) {
        return GetLastError();
    }

再次感谢您的宝贵时间。

4

1 回答 1

4

在您的GetMessage通话中,您只处理 的消息MainWin->Window(),但PostQuitMessage会发布未绑定到任何特定窗口的线程消息。因此,您GetMessage将永远不会检索它。您应该为第二个参数而不是窗口句柄传递 NULL。

(此外,由于运算符优先级,您有一个逻辑错误 -Res只会是 1 或 0,而不是 -1,尽管这不是您的问题的原因)。

于 2013-07-03T23:21:07.837 回答