0

我只能假设其中大部分都有效,因为我无法通过 CreateWindowEx 检查。如果有人会仔细检查我所有有趣的按钮代码,那也很棒。

#include <windows.h>
#include <tchar.h> //I was told I needed this line but I don't believe I do.
#define ID_BTNENCRYPT 0

const char g_szClassName[] = "MyWindowClass";

HWND button;

LRESULT CALLBACK WndProc(HWND hwnd, UINT msg, WPARAM wParam, LPARAM lParam)       {
switch(msg) { //Fun button stuff
    case WM_CREATE: {
        button = CreateWindow("button",
                              "Encrypt Message",
                              WS_VISIBLE | WS_CHILD | BS_DEFPUSHBUTTON,
                              450, 620, 200, 30,
                              hwnd, (HMENU) ID_BTNENCRYPT, GetModuleHandle(NULL), NULL);

        break;
    }
    case WM_COMMAND: { //More fun button stuff
        switch (LOWORD(wParam)){
            case ID_BTNENCRYPT: {
                ::MessageBox(hwnd, "This will be your message once I get my $h!t together", "Encrypted Message", MB_OK);
            }
        }
        break;
    }
    case WM_CLOSE:
        DestroyWindow(hwnd);
        break;
    case WM_DESTROY:
        PostQuitMessage(0);
        break;
    default:
        DefWindowProc(hwnd, msg, wParam, lParam);

}

return 0;
}

int WINAPI WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR     lpCmdLine, int nCmdShow) {
FreeConsole();

WNDCLASSEX wc;
HWND hwnd;
MSG Msg;

wc.cbSize = sizeof(WNDCLASSEX);
wc.style = 0;
wc.lpfnWndProc = WndProc;
wc.cbClsExtra = 0;
wc.cbWndExtra = 0;
wc.hInstance = hInstance;
wc.hIcon = LoadIcon(NULL, IDI_APPLICATION);
wc.hIconSm = LoadIcon(NULL, IDI_APPLICATION);
wc.hCursor = LoadCursor(NULL, IDC_ARROW);
wc.hbrBackground = (HBRUSH) (COLOR_WINDOW + 1);
wc.lpszMenuName = NULL;
wc.lpszClassName = g_szClassName;
if (!RegisterClassEx(&wc)) {
    ::MessageBox(NULL, "Window Registration Status: Hopelessly F***ed", "", MB_OK);
    return 0;
} //No apparent error in Window Registration

这是我需要帮助的地方

hwnd = CreateWindowEx(
    WS_EX_CLIENTEDGE,
    g_szClassName,
    "Great Window",
    WS_OVERLAPPEDWINDOW,
    300, 300,
    350, 350,
    NULL, NULL, hInstance, NULL);
if (hwnd == NULL) {
    ::MessageBox(NULL,"Window Creation Status: Gone to $h!t", "", MB_OK);
}

不幸的是,我收到错误消息,是的,我的窗口创建失败。

ShowWindow(hwnd, nCmdShow); //Just the end of my code from here on out.
UpdateWindow(hwnd); //Hopefully there aren't any fatal errors.

while(GetMessage(&Msg, NULL, 0, 0) > 0) {
    TranslateMessage(&Msg);
    DispatchMessage(&Msg);
}

return Msg.wParam;
}
4

1 回答 1

0

WndProc()没有返回DefWindowProc()未处理消息的返回值。缺少一条return语句,因此您最终会陷入return 0所有消息。WM_NCCREATE返回 0 时,失败CreateWindowEx()

如果应用程序处理此消息,它应该返回 TRUE 以继续创建窗口。如果应用程序返回 FALSE,则 CreateWindow 或 CreateWindowEx 函数将返回 NULL 句柄

你需要改变这个:

default:
    DefWindowProc(hwnd, msg, wParam, lParam);

对此:

default:
    return DefWindowProc(hwnd, msg, wParam, lParam);
于 2016-09-03T06:03:45.710 回答