我正在开发一个directX应用程序,我正在尝试设置一个窗口。但问题是我的窗口没有显示而是显示我在窗口无法创建时创建的弹出窗口。我已多次制作Windows,现在它无法正常工作。我在例行程序中唯一改变的是我将应用程序切换到64位应用程序而不是32位应用程序。我有一台64位计算机,它应该可以工作。
的main.cpp
#include "Render\window.h"
int CALLBACK WinMain(HINSTANCE appInstance, HINSTANCE prevInstance, LPSTR cmdLine, int cmdCount)
{
Window window("Program", 800, 600);
MSG msg = { 0 };
while (true)
{
if (PeekMessage(&msg, 0, 0, 0, PM_REMOVE))
{
TranslateMessage(&msg);
DispatchMessage(&msg);
if (msg.message == WM_QUIT) break;
}
}
return 0;
}
window.h中
#pragma once
#include <Windows.h>
class Window
{
private:
const char* const m_Title;
const int m_Width;
const int m_Height;
HWND m_Handler;
public:
Window(const char* title, int width, int height);
inline HWND GetHandler() const { return m_Handler; }
private:
void Init();
};
window.cpp
#include "window.h"
LRESULT CALLBACK WinProc(HWND hwnd, UINT msg, WPARAM wparam, LPARAM lparam)
{
if (msg == WM_DESTROY || msg == WM_CLOSE)
{
PostQuitMessage(0);
return 0;
}
return DefWindowProc(hwnd, msg, wparam, lparam);
}
Window::Window(const char* title, int width, int height)
: m_Title(title), m_Width(width), m_Height(height)
{
Init();
}
void Window::Init()
{
WNDCLASS windowClass;
windowClass.style = CS_OWNDC;
windowClass.lpfnWndProc = WinProc;
windowClass.hCursor = LoadCursor(nullptr, IDC_ARROW);
windowClass.lpszClassName = L"MainWindow";
RegisterClass(&windowClass);
m_Handler = CreateWindow(L"MainWindow", (LPCWSTR)m_Title, WS_POPUP | WS_CAPTION | WS_SYSMENU | WS_VISIBLE, 100, 100, m_Width, m_Height, nullptr, nullptr, nullptr, nullptr);
if (m_Handler == 0)
{
MessageBox(nullptr, L"Problem with creating window!", L"Error", MB_OK);
exit(0);
}
}
答案 0 :(得分:4)
您的WNDCLASS
结构包含未初始化的数据。你是否忽略了编译器警告?在致电RegisterClass
时,您不会检查错误。 RegisterClass
很可能会失败而你无论如何都会按下。
确保初始化WNDCLASS
结构:
WNDCLASS windowClass = { 0 };
每当调用Win32 API函数时都要检查错误。在这里,检查RegisterClass
返回的值。文档告诉你它的含义。
您的信用至少检查了CreateWindow
返回的值。但文档告诉您,如果发生故障,请致电GetLastError
以找出呼叫失败的原因。你没有那样做?我怀疑你最大的问题是你没有详细阅读文档。
当您致电CreateWindow
时,您尝试将m_Title
作为窗口文本参数传递。编译器反对出现类型不匹配错误。你用这个演员来压制那个错误:
(LPCWSTR)m_Title
现在,m_Title
为const char*
。它不是const wchar_t*
。没有多少铸造成功。不要抛弃类型不匹配错误。传递正确的类型。
调用CreateWindowA
并传递m_Title
,或将m_Title
更改为const wchar_t*
类型。如果您执行后者,则需要传递宽文字,L"Program"
而不是"Program"
。