• 理解 std::thread::join


    C++多线程并发编程入门(目录)

    本文用最简单易懂的实际案例,讲清楚了 join 的实际内涵,保证你过目不忘。

    示例

    join 函数是我们接触C++多线程 thread 遇到的第一个函数。

    比如:

    1. int main()
    2. {
    3. thread t(f);
    4. t.join();
    5. }

    join 用来阻塞当前线程退出

    join 表示线程 t 运行起来了。但是,t 也阻碍了 main 线程的退出(谁调用,阻塞谁)

    也就是说,如果 f 的执行需要 5秒钟, main也要等待5秒才能退出。

    这看起来非常合理,因为 main 就应该等待 t 退出之后再退出。

    main 等待所有线程

    多个线程都以 join 的方式启动的时候,main 就要等到最后。

    比如:

    1. #include
    2. #include
    3. #include
    4. #include
    5. #include
    6. using namespace std;
    7. using namespace chrono;
    8. auto start = system_clock::now();
    9. void print_elapsed(string msg)
    10. {
    11. cout << msg << " at[" << duration_cast(system_clock::now()-start).count()<<"]" << endl;
    12. }
    13. void task_fun(int i)
    14. {
    15. print_elapsed("task_fun " + to_string( i) + " start!");
    16. // simulate expensive operation
    17. this_thread::sleep_for(seconds(i));
    18. print_elapsed("task_fun " + to_string(i) + " finished!");
    19. }
    20. int main()
    21. {
    22. print_elapsed( "main begin...");
    23. thread task1(task_fun, 9);//线程这时候就已经开始启动
    24. thread task2(task_fun, 6);//线程这时候就已经开始启动
    25. thread task3(task_fun, 3);//线程这时候就已经开始启动
    26. thread task4(task_fun, 12);//线程这时候就已经开始启动
    27. print_elapsed("waiting for all tasks to finish...");
    28. task1.join();//main第一次阻塞,给前面的线程机会执行到各自打印的语句
    29. print_elapsed("task1.join() finished");//第9秒钟之后,main终于等到了task1的退出,在这之前task3(第3秒执行完毕),task2(第6秒),执行完毕
    30. task2.join();//这里不会有阻塞,因为在第6秒的时候task2就已经退出了
    31. print_elapsed("task2.join() finished");
    32. task3.join();//这里不会有阻塞,因为在第3秒的时候task2就已经退出了
    33. print_elapsed("task3.join() finished");
    34. task4.join();//这里会再次阻塞3秒(从第9秒阻塞到第12秒)
    35. print_elapsed("task4.join() finished");
    36. print_elapsed("all tasks to finished.");
    37. }

    执行结果

    参考

    C++ std::thread join()的理解 - 代萌 - 博客园 (cnblogs.com)

    std::thread::join - cppreference.com

  • 相关阅读:
    背包问题总览
    软设之冒泡排序
    [Power Query] 汇总表
    【6. N 字形变换】
    YOLOV5学习笔记(七)——训练自己数据集
    Android自动化测试中使用ADB进行网络状态管理!
    机器学习从入门到放弃:我们究竟是怎么教会机器自主学习的?
    java基础之适配器模式[30]
    linux 安装 php-amqp
    浏览器高度兼容性
  • 原文地址:https://blog.csdn.net/ClamReason/article/details/132647082