CreateWindow():不允许输入类型名称

时间:2016-01-08 03:24:15

标签: c++ winapi

我正在编写一个C ++程序,我想在其中使用CreateWindow()函数创建一个窗口,但是我无法让它工作。我无法编译程序,Visual Studio在错误列表中给出的唯一信息是"不允许输入类型名称。"我该如何解决这个问题?我还没能确定如何自己解决它。这是该程序的代码:

#include "stdafx.h"
#include <Windows.h>

int main()
{
    int screenWidth = GetSystemMetrics(SM_CXSCREEN);
    int screenHeight = GetSystemMetrics(SM_CYSCREEN);
    HWND window = CreateWindow("Melter", NULL, WS_POPUP, 0, 0, screenWidth, screenHeight, HWND_DESKTOP, NULL, HINSTANCE, NULL);
    return 0;
}

1 个答案:

答案 0 :(得分:1)

要从控制台应用程序创建窗口,您需要做很多事情。 首先,您必须使用样式参数(模块句柄)通过RegisterClass注册自己的窗口类 最重要的是窗口程序。您可以通过GetModuleHandle(0)获取的模块句柄, 什么返回用于创建调用进程的文件的句柄。你有窗口程序 定义yourslef。这是一个处理发送到窗口的消息的函数。 使用此窗口类和模块句柄,您可以使用CreateWindow创建窗口。 创建窗口后,您必须使用ShowWindow显示它。最后,您需要一个窗口的消息循环:

#include <Windows.h>

// Window procedure which processes messages sent to the window
LRESULT CALLBACK WindowProcedure( HWND window, unsigned int msg, WPARAM wp, LPARAM lp )
{
    switch(msg)
    {
        case WM_DESTROY: PostQuitMessage(0); return 0;
        default: return DefWindowProc( window, msg, wp, lp );
    }
}

int main()
{
    // Get module handle
    HMODULE hModule = GetModuleHandle( 0 );
    if (!hModule)
        return 0;

    // Register window class
    const char* const myWindow = "MyWindow" ;
    //const wchar_t* const myWindow = L"MyWindow"; // unicode
    WNDCLASS myWndClass = { 
        CS_DBLCLKS, WindowProcedure, 0, 0, hModule,
        LoadIcon(0,IDI_APPLICATION), LoadCursor(0,IDC_ARROW),
        CreateSolidBrush(COLOR_WINDOW+1), 0, myWindow };
    if ( !RegisterClass( &myWndClass ) )
        return 0;

    // Create window
    int screenWidth = GetSystemMetrics(SM_CXSCREEN)/2;
    int screenHeight = GetSystemMetrics(SM_CYSCREEN)/2;
    HWND window = CreateWindow( myWindow, NULL, WS_OVERLAPPEDWINDOW, 0, 0, screenWidth, screenHeight, HWND_DESKTOP, NULL, hModule, NULL);
    if( !window )
        return 0;

    // Show window
    ShowWindow( window, SW_SHOWDEFAULT );

    // Message loop
    MSG msg ;
    while( GetMessage( &msg, 0, 0, 0 ) )
        DispatchMessage(&msg);

    return 0;
}