我有一个使用boost :: thread工作的地方(使用boost :: asio的例子)
std::vector<boost::shared_ptr<boost::thread> > threads;
for (std::size_t i = 0; i < io_services_.size(); ++i)
{
boost::shared_ptr<boost::thread> thread(new boost::thread(
boost::bind(&boost::asio::io_service::run, io_services_[i])));
threads.push_back(thread);
}
如果我尝试将它与std:thread一起使用,我会收到编译错误:
std::vector<std::thread> threads;
for (std::size_t i = 0; i < this->ioServices.size(); ++i)
{
std::thread thread(&boost::asio::io_service::run, ioServices[i]); // compile error std::thread::thread : no overloaded function takes 2 arguments
threads.push_back(std::move(thread));
}
答案 0 :(得分:2)
理论上,两者都应该有效,因为std::thread
有一个vararg构造函数,它基本上调用它的参数,好像它与std::bind
一起使用。问题似乎是,至少在我的实现(gcc 4.6.3)中,std::thread
和std::bind
都无法确定run
的哪个重载,导致编译错误。
但是,如果您使用boost::bind
,则可行。所以我会使用,并手动手动执行绑定:
std::vector<std::thread> threads;
for (std::size_t i = 0; i < this->ioServices.size(); ++i)
{
std::thread thread(boost::bind(&boost::asio::io_service::run, ioServices[i]));
threads.push_back(std::move(thread));
}
编辑:似乎boost::bind
成功,因为它有大量的重载,并且基于它提供的参数数量,在boost::bind
的重载解析和模板替换期间,它可以确定哪个超载意图是boost::asio::io_service::run
。
但是,由于std::bind
和std::thread
依赖于vararg tempalte参数,run
的两个重载都同样有效,并且编译器无法解析使用哪一个。这种模糊性导致无法确定您所看到的失败的结果。
另一个解决方案是:
std::vector<std::thread> threads;
typedef std::size_t (boost::asio::io_service::*signature_type)();
signature_type run_ptr = &boost::asio::io_service::run;
for (std::size_t i = 0; i < this->ioServices.size(); ++i)
{
std::thread thread(run_ptr, ioServices[i]);
threads.push_back(std::move(thread));
}