1

我看到这个问了很多方法,但从未见过实际工作的代码片段。

毫无疑问,我尝试了用新窗口和消息循环创建新线程的天真尝试。我有一个必须打开一个窗口并处理其消息的函数,并且必须在可以从没有现有消息循环(也没有其他窗口)或通常的 mfc 消息循环或 WTL 消息循环的应用程序调用的环境中运行。我看到了一些关于 AddMessageLoop 和 Modules 的东西?但它似乎是针对主要应用程序的。无论如何,那里可能有也可能没有 WTL 模块。需要一个带有基本消息循环的独立窗口。传入一个窗口尚未打开的 WTL 类,因此窗口在与循环相同的线程中打开。类对象是否也必须在新线程中创建?

// does not work.... 
static DWORD WINAPI MyRunThread(__in LPVOID lpParameter)
{
CMessageLoop theLoop;
WTLsubclass *nav = (WTLsubclass *) lpParameter;

nav->CreateWindow(); 
int nRet = theLoop.Run();

return nRet;
}

CreateThread(0,0,MyRunThread,&nav,0,0);
4

2 回答 2

0

SetWindowLongPtr并且GetWindowLongPtr,使用这些从窗口 proc 中访问您的实例,然后在 上设置条件变量WM_ACTIVATE

在您的客户端代码中:

// Create window, this setups the window and runs a message loop, its guts are ran in a different thread
createwindow();
// Wait to be shown, this presumes the existence of a mutext (m) and a condition_variable (cv) in your instance
std::unique_lock<std::mutex> lock(m);
cv.wait_for(lock, std::chrono::milliseconds(800));

在窗口设置和创建期间,这可以在您的线程进程中:

// Create window (RegisterClass, CreateWindow, etc)
...
SetWindowLongPtr(hwnd, GWLP_USERDATA, /*your instance*/ ...);   
ShowWindow(hwnd, ...);
...
// Pump

在你的窗口过程中:

...
switch(msg)
{
    case WM_ACTIVATE:
    {
        your_instance* inst = (your_instance*)GetWindowLongPtr(hwnd, GWLP_USERDATA);
        inst->cv->notify_one();
    }
    break;
...
于 2012-06-04T08:58:48.287 回答
0

有关需要的更改,请参阅注释。Gotcha #1 was & operator 不适用于 WTL 类 Gotcha #2,永远不会为您的事件命名。如果您与未知的其他对象链接,则很可能有人已经使用了相同的名称,并且 Windows 认为相同的名称表示相同的事件,即使使用了多个 CreateEvent() 调用。没有名称,没有所谓的不同事件的“别名”。

Non-Gotcha,如果您不希望“主”消息处理程序处理您的消息,则不需要 _Module 或“告诉”有关您的消息循环的任何内容。如果您想要具有独立循环的独立窗口,请参见下文。

==================================================== =

static DWORD WINAPI MyRunThread(__in LPVOID lpParameter)
{
CMessageLoop theLoop;
WTLsubclass *nav = (WTLsubclass *) lpParameter;

nav->CreateWindow(); 
SetEvent(WindowCreatedEvent) // signal event HANDLE type for worker thread

int nRet = theLoop.Run();

return nRet;
}

//CreateThread(0,0,MyRunThread,&nav,0,0); // & wont work on WTL class objects
// some genius overloaded the & operator on WTL class objects, just because in C++ you can

//Workaround to get address of WTL class object
CLASSnav nav[1];
CLASSnav *pnav = nav; // because arrays is address of first element.
CreateThread(0,0,MyRunThread,pnav,0,0);
于 2012-04-22T15:47:48.340 回答