boost::thread程式設計-執行緒組
阿新 • • 發佈:2018-12-29
thread庫提供thread_group類用於管理一組執行緒,就像一個執行緒池,它內部使用std::list
class thread_group::private noncopyable
{
public:
template<typename F>;
thread* create_thread(F threadfunc);
void add_thread(thread* thrd);
void remove_thread(thread* thrd);
void join_all();
void interrupt_all();
int size() const;
};
成員函式create_thread是一個工廠函式,可以建立thread物件並執行執行緒,同時加入到內部的list。我們也可以在thread_group物件外部建立執行緒,然後使用add_thread加入執行緒組。
如果不需要某個執行緒,可以使用remove_thread刪除執行緒組裡的thread物件。
join_all()、interrupt_all()用來對list裡的所有執行緒物件進行操作,等待或中斷這些執行緒。
#include "stdafx.h"
#include <iostream>
#include <boost/thread.hpp>
#include <boost/atomic.hpp>
boost::mutex io_mu;//io流操作鎖
void printing(boost::atomic_int &x,const std::string &str)
{
for(int i=0;i<5;++i)
{
boost::mutex::scoped_lock lock(io_mu);//鎖定io流操作
std::cout<<str<<++x<<std::endl;
}
}
int _tmain(int argc, _TCHAR* argv[])
{
boost: :atomic_int x(0);
boost::thread_group tg;
tg.create_thread(boost::bind(printing,ref(x),"hello"));
tg.create_thread(boost::bind(printing,ref(x),"hi"));
tg.create_thread(boost::bind(printing,ref(x),"boost"));
tg.join_all();
getchar();
return 0;
}