我有以下代码,我根据下面的for循环创建线程,pthread中的第3个参数采用void *()(void ),我给它一个字符串arg。问题是每个线程都有自己的方法,即线程0的方法是thread0()。我希望能够基于for循环的t设置方法,而不会出现以下错误:
main2.cpp:40:51: error: cannot convert ‘std::__cxx11::string {aka std::__cxx11::basic_string<char>}’ to ‘void* (*)(void*)’ for argument ‘3’ to ‘int pthread_create(pthread_t*, const pthread_attr_t*, void* (*)(void*), void*)’ err = pthread_create(&threads[t], &attr,method, &t);
for(t = 0; t <5; t++){;
printf("Creating thread %d\n",t);
std::string method = "thread"+t;
err = pthread_create(&threads[t], &attr,method, &t);
if(err != 0) exit(-1);
}
答案 0 :(得分:1)
关于函数指针的错误信息非常清楚,你不能将c ++符号转换为字符串,反之亦然。
以下是documentation中提供的pthread_create()
签名:
概要
int
的pthread_create
强>(pthread_t *thread, const pthread_attr_t *attr, void *(*start_routine) (void *), void *arg);
您可以执行以下操作:
typedef void* (*start_routine_t)(void*);
void* foo_0(void*) { return nullptr; }
void* foo_1(void*) { return nullptr; }
void* foo_2(void*) { return nullptr; }
void* foo_3(void*) { return nullptr; }
void* foo_4(void*) { return nullptr; }
constexpr std::map<std::string,start_routine_t> thread_funcs {
{ "thread_0" , foo_0 } ,
{ "thread_1" , foo_1 } ,
{ "thread_2" , foo_2 } ,
{ "thread_3" , foo_3 } ,
{ "thread_4" , foo_4 } ,
};
pthread_t threads[5];
// ....
for(t = 0; t <5; t++){;
printf("Creating thread %d\n",t);
std::ostringstream method;
method << "thread_" <<t;
err = pthread_create(&threads[t], &attr,method, &thread_funcs[method.str()],nullptr);
if(err != 0) exit(-1);
}
或者根本没有使用字符串的方式更直接:
start_routine_t thread_funcs[5] = { foo_0, foo_1, foo_2, foo_3, foo_4 };
pthread_t threads[5];
// ...
for(t = 0; t <5; t++){
printf("Creating thread %d\n",t);
err = pthread_create(&threads[t], &attr,method, thread_funcs[t], nullptr);
if(err != 0) exit(-1);
}
您还要求c++-11设施:
std::thread
代替pthread-API。如果您的目标环境正确支持pthread,您通常可以使用std::thread
ABI。使用lambda函数动态引用特定的例程:
std::vector<std::thread> threads(5);
for(t = 0; t <5; t++){
printf("Creating thread %d\n",t);
auto thread_func = [t]() {
switch(t) {
case 0: foo_0(); break;
case 1: foo_1(); break;
case 2: foo_2(); break;
case 3: foo_3(); break;
case 4: foo_4(); break;
}
};
threads[t] = std::thread(thread_func);
}
上面的代码示例可能不是最好的(最有效的),但演示了如何动态映射函数调用。