我有一个窗口(Windows),我的wndProc基本上与Windows指南上的相同。但是,即使WM_CLOSE被传递(我可以使用if(msg == WM_CLOSE)),我似乎无法设置我的shouldClose标志。我已经确认我仍在我的processMessage方法中获取该事件。所以我的问题是:发生了什么,我怎样才能使它发挥作用?
编辑:我尝试将窗口数据存储为结构而不是类,一切正常。 IE浏览器。我改变的只是类的类型和一些错误。
class Win32Window {
this(wstring title, int width, int height) {
immutable wstring className = "glass_def_class_name\0";
auto hInstance = GetModuleHandle(null);
WNDCLASSW wc;
wc.lpfnWndProc = &windowProc;
wc.hInstance = hInstance;
wc.lpszClassName = &className[0];
RegisterClassW(&wc);
handle = CreateWindowExW(
0,
&className[0],
&title[0],
WS_OVERLAPPEDWINDOW,
CW_USEDEFAULT, CW_USEDEFAULT,
width, height,
null, null,
hInstance,
cast(void*) this);
ShowWindow(handle, SW_NORMAL);
}
~this() {
DestroyWindow(handle);
}
void processEvents() {
MSG msg;
while (PeekMessage(&msg, handle, 0, 0, PM_REMOVE)) {
TranslateMessage(&msg);
DispatchMessage(&msg);
}
}
bool shouldClose;
HWND handle;
private:
LRESULT processMessage(UINT msg, WPARAM wp, LPARAM lp) nothrow {
switch (msg) {
case WM_CLOSE:
shouldClose = true;
return 0;
default:
return DefWindowProc(handle, msg, wp, lp);
}
}
}
private extern (Windows) LRESULT windowProc(HWND hwnd, UINT msg, WPARAM wp, LPARAM lp) nothrow {
Win32Window window;
if (msg == WM_CREATE) {
CREATESTRUCT* create = cast(CREATESTRUCT*) lp;
window = cast(Win32Window*) create.lpCreateParams;
SetWindowLongPtr(hwnd, GWLP_USERDATA, cast(LONG_PTR) create.lpCreateParams);
window.handle = hwnd;
}
else {
LONG_PTR ptr = GetWindowLongPtr(hwnd, GWLP_USERDATA);
window = cast(Win32Window* ptr);
}
if (window)
return window.processMessage(msg, wp, lp);
else
return DefWindowProc(hwnd, msg, wp, lp);
}
void main()
{
auto window = new Win32Window("test", 1280, 720);
while(window.shouldClose == false) {
window.processEvents();
}
window.destroy();
}
答案 0 :(得分:0)
通过方法修改的成员在退出后还原
这是你使用本地副本的对象,并修改这个本地副本,但不是真正的对象。我没有看到其他解释
在windowProc
内{p> 1} { - >} - 所以你在Win32Window window = *(cast(Win32Window*) ptr);
中制作初始对象状态的本地副本,然后对本地副本进行所有修改 - 当然,当您从windowProc
退出时,所有丢失的代码必须是下一个:
windowProc
答案 1 :(得分:0)
事实证明,您实际上无法直接将指针强制转换为引用。中间人是必要的(或者那种效果)。因此,winProc
看起来应该是这样的:
private extern (Windows) LRESULT windowProc(HWND hwnd, UINT msg, WPARAM wp, LPARAM lp) nothrow {
Win32Window window;
if (msg == WM_NCCREATE) {
auto create = cast(CREATESTRUCT*) lp;
window = cast(Win32Window) (cast(void*) create.lpCreateParams);
window.handle = hwnd;
SetWindowLongPtr(hwnd, GWLP_USERDATA, cast(LONG_PTR) create.lpCreateParams);
}
else {
window = cast(Win32Window) (cast(void*) GetWindowLongPtr(hwnd, GWLP_USERDATA));
}
return window ? window.processMessage(msg, wp, lp) : DefWindowProc(hwnd, msg, wp, lp);
}
请注意cast(void*)
和create.lpCreateParams
之前的额外GetWindowLongPtr(hwnd, GWLP_USERDATA)
。我不能完全确定为什么这种方法与原始代码相反,但它似乎有效,而且当我有时间时,我会做更多的调查。