我有一个多线程应用程序,在某些线程上,我正在使用 ATL 的CWindowImpl<>
. 我有一个用作线程过程的静态方法。我需要在线程上创建一个窗口,因为我需要与线程的一些通信是同步的,并且PostThreadMessage()
明确是异步的。当我的窗口接收到WM_DESTROY
消息(由MESSAGE_HANDLER
宏定义的处理程序)时,它会调用PostQuitMessage()
,如下方法所示:
LRESULT MyATLWindowClass::OnDestroy(UINT uMsg,
WPARAM wParam,
LPARAM lParam,
BOOL& bHandled) {
::PostQuitMessage(0);
return 0;
}
我正在向线程使用自定义消息,用于向线程PostThreadMessage()
指示是时候自行终止了。处理该自定义消息时,我调用了该CWindowImpl::DestroyWindow()
方法,该方法似乎正确地破坏了窗口,因为我的OnDestroy
消息处理程序被调用。但是,拥有线程似乎从未收到WM_QUIT
要处理的消息。下面是我的线程程序的简化版本。
unsigned int WINAPI MyATLWindowClass::ThreadProc(LPVOID lpParameter) {
// Initialize COM on the thread
::CoInitializeEx(NULL, COINIT_APARTMENTTHREADED);
// Create the window using ATL
MyATLWindowClass new_window;
HWND session_window_handle = new_window.Create(
/* HWND hWndParent */ HWND_MESSAGE,
/* _U_RECT rect */ CWindow::rcDefault,
/* LPCTSTR szWindowName */ NULL,
/* DWORD dwStyle */ NULL,
/* DWORD dwExStyle */ NULL,
/* _U_MENUorID MenuOrID */ 0U,
/* LPVOID lpCreateParam */ NULL);
// Initialize the message pump on the thread.
MSG msg;
::PeekMessage(&msg, NULL, WM_USER, WM_USER, PM_NOREMOVE);
// Run the message loop
BOOL get_message_return_value;
while ((get_message_return_value = ::GetMessage(&msg, NULL, 0, 0)) != 0) {
if (get_message_return_value == -1) {
// GetMessage handling logic taken from MSDN documentation
break;
} else {
if (msg.message == WD_SIGNAL_THREAD_SHUTDOWN) {
// Requested thread shutdown, so destroy the window
new_window.DestroyWindow();
} else if (msg.message == WM_QUIT) {
// Process the quit message and exit the message loop
// to terminate the thread
break;
} else {
::TranslateMessage(&msg);
::DispatchMessage(&msg);
}
}
}
// Uninitialize COM on the thread before exiting
::CoUninitialize();
return 0;
}
请注意,我是否打电话或向窗口DestroyWindow()
发送消息似乎并不重要。WM_CLOSE
在这两种情况下,线程的消息泵都没有接收到 WM_QUIT。拥有线程的消息泵应该接收这样的消息吗?我对线程的消息泵和窗口的消息泵如何交互的误解在哪里?或者关于 ATL 的窗口类如何创建和管理窗口,我缺少什么?