我正在使用VC2010,并编写以下代码来测试“__beginthreadex”
#include <process.h>
#include <iostream>
unsigned int __stdcall threadproc(void* lparam)
{
std::cout << "my thread" << std::endl;
return 0;
}
int _tmain(int argc, _TCHAR* argv[])
{
unsigned uiThread1ID = 0;
uintptr_t th = _beginthreadex(NULL, 0, threadproc, NULL, 0, &uiThread1ID);
return 0;
}
但是没有任何内容打印到控制台上。我的代码有什么问题?
最佳答案
您的主例程立即退出,从而导致整个进程立即关闭,包括属于该进程一部分的所有线程。令人怀疑的是,您的新线程甚至有机会开始执行。
处理此问题的典型方法是使用WaitForSingleObject并阻塞直到线程完成。
int _tmain(int argc, _TCHAR* argv[])
{
unsigned uiThread1ID = 0;
uintptr_t th = _beginthreadex(NULL, 0, threadproc, NULL, 0, &uiThread1ID);
// block until threadproc done
WaitForSingleObject(th, INFINITE/*optional timeout, in ms*/);
return 0;
}