本节内容:
启动一个线程
每个程序都至少会有一个线程,main函数是执行入口,我们称之为主线程,其余子线程有各自的入口函数,主线程和子线程同时运行。子线程在std::thread对象创建时启动。
1.无参数无返回值函数做子线程入口:
void func()
{
cout << "func" <<endl;
}
std::thread my_job(func);
2.类重载()运算符作为子线程入口:
class thread_test
{
public:
void operator()() const
{
cout << "thread test" <<endl;
}
};
thread_test t;
std::thread my_job(t);
3.使用lamda表达式作为子线程入口:
std::thread my_job([]{
cout << "lamda" <<endl;
});
4.使用普通带参数函数作为子线程入口
void func(int i)
{
cout << "i = " << i << endl;
}
int count = 0;
std::thread my_job(func, count);
5.类的无参成员函数作为子线程入口
class thread_test
{
public:
void func()
{
cout << "thread_test func" << endl;
}
};
thread_test t;
std::thread my_job(&thread_test::func, &t);
6.类的有参成员函数作为子线程入口
class thread_test
{
public:
void func(int i)
{
cout << "thread_test func i = " << i << endl;
}
};
thread_test t;
int count = 100;
std::thread my_job(&thread_test::func, &t, count);
线程join()/detach():
join()
线程调用join函数以后,主线程就会等待子线程结束。线程不可以join或者datach多次,joinable()函数返回线程是否可join或detach。
detach()
使用detach会让线程在后台运行,这种线程通常被叫做守护线程。
识别一个线程:
每个线程都有一个唯一的id来标识。可以通过是std::thread对象的get_id()函数来获取,或者在线程中使用std::this_thread::get_id()来获取。