multi_thread

C++11 多线程 join()和detach()的理解

每一个程序至少拥有一个线程,那就是执行main()函数的主线程,而多线程则是出现两个或两个以上的线程并行运行,即主线程和子线程在同一时间段同时运行。而在这个过程中会出现几种情况:

  1. 主线程先运行结束
  2. 子线程先运行结束
  3. 主子线程同时结束

在一些情况下需要在子线程结束后主线程才能结束,而一些情况则不需要等待,但需注意一点,并不是主线程结束了其他子线程就立即停止,其他子线程会进入后台运行

join()函数是一个等待线程完成函数,主线程需要等待子线程运行结束了才可以结束

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
#include <iostream>
#include <thread>
using namespace std;

void func()
{
for(int i = -10; i > -20; i--)
{
cout << "from func():" << i << endl;
}
}

int main() //主线程
{
cout << "mian()" << endl;
cout << "mian()" << endl;

thread t(func); //子线程
t.join(); //等待子线程结束后才进入主线程

cout << "mian_test()" << endl;
return 0;
}

detach()函数,被称为分离线程函数,使用detach()函数会让线程在后台运行,即主线程不会等待子线程运行结束才结束

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
#include <iostream>
#include <thread>
using namespace std;

void func()
{
for(int i = -10; i > -20; i--)
{
cout << "from func():" << i << endl;
}
}

int main() //主线程
{
cout << "mian()" << endl;
cout << "mian()" << endl;

thread t(func); //子线程
t.detach(); //分离子线程

cout << "mian_test()" << endl;
return 0;
}