我正在尝试使用Tyler Hardin的线程池类。 可在此处找到该库:https://github.com/Tyler-Hardin/thread_pool
我的代码是:
#include "thread_pool.hpp"
#include <windows.h>
#include <iostream>
#include <list>
#include <string>
#include <sstream>
using namespace std;
const int num_threads = 8;
int getRandom(int min, int max)
{
return min + rand() % (max - min);
}
std::string to_string(int val)
{
std::ostringstream ss;
ss << val;
std::string str = ss.str();
return str;
}
string getResult(string param)
{
int time = getRandom(0, 500);
Sleep(time);
return ("Time spend here: " + to_string(time));
}
int main()
{
srand(time(NULL));
thread_pool pool(num_threads);
list<future<string>> results;
for(int i=100; i<=100000; i++)
{
std::future<string> buff = pool.async( function<string(string)>(getResult), "MyString" );
results.push_back( buff );
}
for(auto i=results.begin(); i != results.end(); i++)
{
i->get();
cout << endl;
}
return 0;
}
但是当我遇到以下错误时,似乎有些错误:
error: no matching function for call to 'thread_pool::async(std::function<std::basic_string<char>(std::basic_string<char>)>, const char [9])
error: use of deleted function 'std::future<_Res>::future(const std::future<_Res>&) [with _Res = std::basic_string<char>]'|
在这次电话会议中我做错了什么:
std::future<string> buff = pool.async( function<string(string)>(getResult), "MyString" );
程序应该在每个线程完成工作后立即打印每个线程的休眠时间。
答案 0 :(得分:1)
在匹配const char [9]
时,请确保您使用的Windows编译器不知道匹配std::string
类型的字符串文字与async
。这是two levels of implicit conversion, which is not allowed:
const char [9]
--> const char*
--> std::basic_string<char>(const char* s, const Allocator& alloc = Allocator() );
我不确定编译器是否应将其视为单个或两个单独的隐式转换。
无论如何,您可以通过将参数显式转换为std::string
std::future<string> buff = pool.async( function<string(string)>(getResult), std::string("MyString") );
使用移动构造函数。复制构造函数标记为已删除
results.push_back( std::move(buff) );