C++法式中啟動線程的辦法。本站提示廣大學習愛好者:(C++法式中啟動線程的辦法)文章只能為提供參考,不一定能成為您想要的結果。以下是C++法式中啟動線程的辦法正文
C++11 引入一個全新的線程庫,包括啟動和治理線程的對象,供給了同步(互斥、鎖和原子變量)的辦法,我將試圖為你引見這個全新的線程庫。
假如你要編譯本文中的代碼,你至多須要一個支撐 C++11 的編譯器,我應用的是 GCC 4.6.1,須要應用 -c++0x 或許 -c++11 參數來啟用 C++11 的支撐。
啟動線程
在 C++11 中啟動一個線程長短常簡略的,你可使用 std:thread 來創立一個線程實例,創立完會主動啟動,只須要給它傳遞一個要履行函數的指針便可,請看上面這個 Hello world 代碼:
#include <thread> #include <iostream> void hello(){ std::cout << "Hello from thread " << std::endl; } int main(){ std::thread t1(hello); t1.join(); return 0; }
一切跟線程相干的辦法都在 thread 這個頭文件中界說,比擬成心思的是我們在下面的代碼挪用了 join() 函數,其目標是強制主線程期待線程履行停止後才加入。假如你沒寫 join() 這行代碼,能夠履行的成果是打印了 Hello from thread 和一個新行,也能夠沒有新行。由於主線程能夠在線程履行終了之前就前往了。
線程標識
每一個線程都有一個獨一的 ID 以辨認分歧的線程,std:thread 類有一個 get_id() 辦法前往對應線程的獨一編號,你可以經由過程 std::this_thread 來拜訪以後線程實例,上面的例子演示若何應用這個 id:
#include <thread> #include <iostream> #include <vector> void hello(){ std::cout << "Hello from thread " << std::this_thread::get_id() << std::endl; } int main(){ std::vector<std::thread> threads; for(int i = 0; i < 5; ++i){ threads.push_back(std::thread(hello)); } for(auto& thread : threads){ thread.join(); } return 0; }
順次啟動每一個線程,然後把它們保留到一個 vector 容器中,法式履行成果是弗成猜測的,例如:
Hello from thread 140276650997504 Hello from thread 140276667782912 Hello from thread 140276659390208 Hello from thread 140276642604800 Hello from thread 140276676175616
也能夠是:
Hello from thread Hello from thread Hello from thread 139810974787328Hello from thread 139810983180032Hello from thread 139810966394624 139810991572736 139810958001920
或許其他成果,由於多個線程的履行是交織的。你完整沒有方法去掌握線程的履行次序(不然那還要線程干嘛?)
當線程要履行的代碼就一點點,你沒需要專門為之創立一個函數,你可使用 lambda 來界說要履行的代碼,是以第一個例子我們可以改寫為:
#include <thread> #include <iostream> #include <vector> int main(){ std::vector<std::thread> threads; for(int i = 0; i < 5; ++i){ threads.push_back(std::thread([](){ std::cout << "Hello from thread " << std::this_thread::get_id() << std::endl; })); } for(auto& thread : threads){ thread.join(); } return 0; }
在這裡我們應用了一個 lambda 表達式調換函數指針,而成果是一樣的。