下面的代码我调试了将近一个星期
,你能够看出什么地方出了问题吗?
线程函数:
DWORD WINAPI ThreadProc(
while
(
!
bTerminate)
data:image/s3,"s3://crabby-images/74344/7434462ea806eb136e024cab9042709a0094c067" alt=""
{
//
从一个链表中读取信息并且插入到CListCtrl中
//
CListCtrl的句柄是通过线程参数传递进来的
for
(;;)
data:image/s3,"s3://crabby-images/28bef/28bef155cb11180b5b83e39116777916230caf6e" alt=""
{
ReadInfoFromList();
InsertToCListCtrl();
}
}
}
主线程中使用CreateThread启动线程。
当想终止子线程时,在主线程中:
bTerminate = TRUE;
WaitForSingleObject(threadHandle, INFINITE);
可是,以运行到WaitForSingleObject,子线程就Crash了。
为什么呢?
问题原因:
后来我终于在InsertItem的反汇编中发现了如下的代码
call dword ptr [__imp__SendMessageA@16 (7C141B54h)]
可见,InsertItem是必须借助消息循环来完成任务的。如果我们在主线程中WaitForSingleObject了,必然导致主线程阻塞,也就导致了消息循环的阻塞,最终导致工作线程Crash掉了*_*
解决方案:
为了解决在主线程中Wait的问题,微软专门设计了一个函数MsgWaitForMultipleObjects,这个函数即可以等待信号(thread,event,mutex等等),也可以等待消息(MSG)。即不论有信号被激发或者有消息到来,此函数都可以返回。呵呵,那么我的解决办法也就出来了。
将上面的WaitForSingleObject用下面的代码替换:
while(TRUE)
data:image/s3,"s3://crabby-images/74344/7434462ea806eb136e024cab9042709a0094c067" alt=""
data:image/s3,"s3://crabby-images/8c6cf/8c6cf4ffdd445e63c151976879f2592b65c8c63d" alt=""
{
data:image/s3,"s3://crabby-images/e596d/e596d84e0d3156e8284ca24e9be2f14439dc5095" alt=""
DWORD result ;
MSG msg ;
data:image/s3,"s3://crabby-images/e596d/e596d84e0d3156e8284ca24e9be2f14439dc5095" alt=""
result = MsgWaitForMultipleObjects(1, &readThreadHandle,
FALSE, INFINITE, QS_ALLINPUT);
data:image/s3,"s3://crabby-images/e596d/e596d84e0d3156e8284ca24e9be2f14439dc5095" alt=""
if (result == (WAIT_OBJECT_0))
data:image/s3,"s3://crabby-images/28bef/28bef155cb11180b5b83e39116777916230caf6e" alt=""
{
break;
}
else
data:image/s3,"s3://crabby-images/28bef/28bef155cb11180b5b83e39116777916230caf6e" alt=""
{
PeekMessage(&msg, NULL, 0, 0, PM_REMOVE);
DispatchMessage(&msg);
}
}
data:image/s3,"s3://crabby-images/aa390/aa3903cd961c3d16f931ca431ec935664bbef871" alt=""
总结:
如果在工作线程中有可能涉及到了消息驱动的API,那么不能在主线程中使用WaitForSingleObject一类函数,而必须使用上述的方案。