This commit is contained in:
Light-City
2020-03-03 10:00:10 +08:00
parent 535b75acfa
commit 16c12a3bc6
38 changed files with 349 additions and 22 deletions

View File

@@ -0,0 +1,34 @@
//
// Created by light on 20-1-31.
//
// join 注意点
/**
* 这用于从父线程分离新创建的线程
* 在分离线程之前请务必检查它是否可以joinable
* 否则可能会导致两次分离并且双重detach()将导致程序终止
* 如果我们有分离的线程并且main函数正在返回那么分离的线程执行将被挂起
*/
#include <iostream>
#include <thread>
#include <chrono>
#include <mutex>
using namespace std;
void run(int count) {
while (count-- > 0) {
cout << count << endl;
}
std::this_thread::sleep_for(chrono::seconds(3));
}
int main() {
thread t1(run, 10);
cout << "main()" << endl;
t1.detach();
if(t1.joinable())
t1.detach();
cout << "main() after" << endl;
return 0;
}

View File

@@ -0,0 +1,35 @@
//
// Created by light on 20-1-31.
//
// join 注意点
/**
* 一旦线程开始我们要想等待线程完成需要在该对象上调用join()
* 双重join将导致程序终止
* 在join之前我们应该检查显示是否可以被join,通过使用joinable()
*/
#include <iostream>
#include <thread>
#include <chrono>
using namespace std;
void run(int count) {
while (count-- > 0) {
cout << count << endl;
}
std::this_thread::sleep_for(chrono::seconds(3));
}
int main() {
thread t1(run, 10);
cout << "main()" << endl;
t1.join();
if (t1.joinable()) {
t1.join();
}
cout << "main() after" << endl;
return 0;
}