c++并发编程(concurrency)----线程管理
- 启动线程,指定线程运行函数的多种方法
- 等待线程执行完毕
- 唯一辨别线程的方法
如果已经有兴趣启动多线程程序了,那么问自己个问题,如何启动多线程?如何检查多线程执行结束?带着疑问开启我们的多线程之旅。
基础线程管理
每个C++程序都至少有一个线程,由C++运行时库(runtime)启动,线程执行函数main()。当然你的程序也可以启动其他的线程并指定其他的线程入口函数。这些线程可以与初始线程并发运行。类似程序main函数执行完成退出,线程执行函数执行完成返回时线程执行完毕退出。std::thread对象启动一个线程,可以等待它执行完成,第一步先启动线程。
启动线程
- 简单线程执行函数,无参/无返回值
- 带参线程执行函数,可执行独立操作并等待某些消息系统信号
请谨记要包含编译器可看到std::thread 类的定义 跟C++Standard Library 一样,std::thread 可以跟任何(any callable type)可调用类型配合工作,因此你可以传递一个重载调用操作符的函数对象(a class with a function call operator )
class background_task{
public:
void operator() () const{
do_something();
do_something_else();
}
};
background_task f;
std::thread my_thread(f);
完整示例代码
#include <iostream>
#include <thread>
void do_something() {
std::cout << "uniview test ." << std::endl;
}
void do_something_else() {
std::cout << "uniview test else function ." << std::endl;
}
class background_task {
public:
void operator() () const {
do_something();
do_something_else();
}
};
int main()
{
background_task f;
std::thread my_thread(f);
my_thread.join();
}
请注意,std::thread my_thread(background_task());语句不符合语法规则,可验证编译器提示错误,gnu c++编译器报错提示如下:
错误:对成员‘join’的请求出现在‘my_thread’中,而后者具有非类类型‘std::thread(background_task (*)())’
|