0

MinGW を使い始めたばかりで、実行可能ファイルやオブジェクト ファイルなどを出力しないという問題が発生しています。いくつかのエラーを修正した後、すべてが正常にコンパイルされますが、実行可能ファイルは出力されません。MinGW を最初にインストールしたとき、単純な hello world プログラムでテストしたところ、すべて正常に動作しましたが、基本的な Windows アプリケーションを作成しようとしても動作しません。以前に gcc を使用したことがありますが、簡単に言えば、それについては何も知りません。

C:\Users\Cole\Dev\Hello Windows\>gcc win_main.c -o win_main

win_main.c ファイルは次のとおりです。

#include <windows.h>
#include <stdio.h>

/*
 * Global Variables
 */
HWND g_hwnd = NULL;
HINSTANCE g_hinst = NULL;

/*
 * Forward Declarations
 */
LRESULT CALLBACK win_proc(HWND h_wnd, UINT message, WPARAM w_param, LPARAM l_param);
HRESULT init_window(HINSTANCE h_instance, int cmd_show);

/*
 * Main entry point to the application.
 */
int WINAPI WinMain(HINSTANCE h_instance, HINSTANCE h_previnstance, LPSTR cmd_line, int cmd_show) {

    if(FAILED(init_window(h_instance, cmd_show)))
        return -1;

    MSG msg = {0};
    while(GetMessage(&msg, NULL, 0, 0)) {
        TranslateMessage(&msg);
        DispatchMessage(&msg);
    }

    return (int)msg.wParam;
}

/*
 * Register window class and create the window.
 */
HRESULT init_window(HINSTANCE h_instance, int cmd_show) {

    /* Register window class. */
    WNDCLASSEX wcx;
    wcx.cbSize = sizeof(WNDCLASSEX);
    wcx.style = CS_VREDRAW | CS_HREDRAW;
    wcx.lpfnWndProc = win_proc;
    wcx.cbClsExtra = 0;
    wcx.cbWndExtra = 0;
    wcx.hInstance = h_instance;
    wcx.hIcon = NULL;
    wcx.hIconSm = NULL;
    wcx.hCursor = LoadCursor(NULL, IDC_ARROW);
    wcx.hbrBackground = (HBRUSH)(COLOR_WINDOW + 1);
    wcx.lpszMenuName = NULL;
    wcx.lpszClassName = "BasicWindowClass";

    if(!RegisterClassEx(&wcx)) {
        printf("Failed to register window class.\n");
        return E_FAIL;
    }

    /* Create the window. */
    g_hinst = h_instance;
    RECT rc = {0, 0, 640, 480};
    AdjustWindowRect(&rc, WS_OVERLAPPEDWINDOW, FALSE);
    g_hwnd = CreateWindow("BasicWindowClass", "Windows Application", WS_OVERLAPPEDWINDOW, CW_USEDEFAULT, CW_USEDEFAULT, 
        rc.right - rc.left, rc.bottom - rc.top, NULL, NULL, g_hinst, NULL);

    if(g_hwnd == NULL) {
        printf("Failed to create the window.\n");
        return E_FAIL;
    }

    ShowWindow(g_hwnd, cmd_show);

    return S_OK;
}

LRESULT CALLBACK win_proc(HWND h_wnd, UINT message, WPARAM w_param, LPARAM l_param) {

    PAINTSTRUCT ps;
    HDC hdc;

    switch(message) {
        case WM_PAINT:
            hdc = BeginPaint(h_wnd, &ps);
            EndPaint(h_wnd, &ps);
            break;

        case WM_DESTROY:
            PostQuitMessage(0);
            break;

        default:
            return DefWindowProc(h_wnd, message, w_param, l_param);
    }

    return 0;
}
4

1 に答える 1

1

-mwindows を追加する必要があり gcc -mwindows win_main.c -o win_mainます。最初のプログラムは、エントリ ポイントとして「main」関数を使用していたと思います...

于 2012-10-26T21:33:56.887 に答える