C++多线程join,detach
作者:互联网
一、介绍
主线程从main()函数开始执行,我们创建的线程也需要一个函数作为入口开始执行,所以第一步先初始化函数。整个进程是否执行完毕的标志是主线程是否执行完毕,一般情况下,如果想要保持子线程的运行状态,那么要主线程保持运行
二、使用
join(),阻塞主线程,等待子线程执行完毕后,才到主线程执行。
detach(),分离主线程,主线程和子线程各走各的,所以会出现多次运行会发现,运行结果可能不同,这时候需要考虑一个问题,主线程如果执行完了,子线程还没跑完,这就可能出现一定问题了。
joinable(),判断是否使用了join()或者detach(),是返回false,否返回true。
#include <iostream>
#include <thread>
void my_thread()
{
for (int i = 1; i <= 5; i++)
{
cout << "my_thread" << i << endl;
}
}
int main()
{
thread my_threadObj(my_thread); //创建一个子线程,并传入子线程的函数入口my_thread
if (my_threadObj.joinable()) //返回true代表没有使用join()或者detch()
{
my_threadObj.join(); //阻塞主线程,并让主线程等待子线程执行完
}
else
{
return -1;
}
//my_threadObj.detach(); //分离主线程,子线程与主线程各自运行,所以每次运行结果可能不同
for (int i = 1; i <=5; i++)
{
cout << "main_thread" << i << endl;
}
return 0;
}
运行结果
void my_thread()
{
for (int i = 1; i <= 5; i++)
{
cout << "my_thread" << i << endl;
}
}
int main()
{
thread my_threadObj(my_thread); //创建一个子线程,并传入子线程的函数入口my_thread
my_threadObj.detach(); //分离主线程,子线程与主线程各自运行,所以每次运行结果可能不同
for (int i = 1; i <= 5; i++)
{
cout << "main_thread" << i << endl;
}
return 0;
}
运行结果
参考:
C++多线程基础学习笔记(二) - main(0) - 博客园
标签:执行,多线程,join,主线,线程,detach,运行 来源: https://blog.csdn.net/sinat_31608641/article/details/120257156