C++多线程1


这里,只是记录自己的学习笔记。

顺便和大家分享多线程的基础知识。然后从入门到实战。有代码。

知识点来源:

https://edu.51cto.com/course/26869.html


 第一个C++11的多线程例子

1.C++11 引入了多线程,有个头文件是

有个命名空间是 this_thread 
比如,获取线程id,可以这么写  this_thread::get_id()

2.为什么要用多线程

2.1 任务分解

    耗时的操作,任务分解,实时响应。

2.2数据分解

    充分利用多核CPU处理数据。

2.3数据流分解

    读写分离,解耦合设计。

3.第一个C++11多线程程序

 1 #include 
 2 #include 
 3 //Linux  -lpthread
 4 
 5 using namespace std;
 6 
 7 
 8 void ThreadMain() {
 9 
10     cout << "begin ThreadMain id:" < endl;
11 
12     //睡眠10秒
13     for (int i = 0; i < 5; i++) {
14         cout << " in thread " << i << endl;
15         this_thread::sleep_for(chrono::seconds(1));//1000ms
16         this_thread::sleep_for(1000ms);//1000ms
17     }
18 
19     cout << "end ThreadMain id:" << this_thread::get_id() << endl;
20 }
21 
22 
23 int main(int argc, char* argv[])
24 {
25     cout << "main thread ID " << this_thread::get_id() << endl;
26 
27     //线程创建启动
28     thread th(ThreadMain);
29     cout << "begin wait sub thread" << endl;
30     //阻塞,等待子线程退出
31     th.join();
32     cout << "end wait sub thread " << endl;
33 
34     return 0;
35 }

跑起来。讲太多理论和语法没用。。。先把第一个多线程例子跑起来。

4.进一步解析
  4.1 th.join() 是为了等待我们的线程结束。主线程(main函数)会在这里阻塞,等待我们的子线程结束。

。如果不等待,则主线程结束的时候,子线程还在运行,主线程的资源都释放了,子线程如果用到了主线程的资源,会报错。。。

   4.2 创建线程对象th,参数是一个函数地址。关于创建线程对象,参数传递问题,以及线程函数的参数问题,后面会介绍。

5.结束

第一个C++多线程的例子就到这里了。

想要系统的学习,还是自己买书去看。或者看相关的视频讲解。

这里的文章,只是记录关键代码,关键知识点。