【发布时间】:2023-04-04 21:46:01
【问题描述】:
我正在使用 Antony Williams - C++ Concurrency in Action 一书中的示例 4.14,其中使用 std::packaged_task 和 std::thread 模拟 std::async。
为什么当我取消注释行时这段代码无法编译以及如何重写模板以使其工作?
#include <iostream>
#include <future>
#include <thread>
#include <string>
void func_string(const std::string &x) {}
void func_int(int x) {}
template <typename F, typename A>
std::future<typename std::result_of<F(A&&)>::type> spawn_task(F &&f, A &&a) {
typedef typename std::result_of<F(A&&)>::type result_type;
std::packaged_task<result_type(A&&)> task(std::move(f));
std::future<result_type> res(task.get_future());
std::thread t(std::move(task), std::move(a));
t.detach();
return res;
}
int main () {
std::string str = "abc";
// auto res1 = spawn_task(func_string, str);
// res1.get();
auto res2 = spawn_task(func_int, 10);
res2.get();
return 0;
}
编译错误:
nnovzver@archer /tmp $ clang++ -std=c++11 -lpthread temp.cpp && ./a.out
In file included from temp.cpp:2:
In file included from /usr/bin/../lib64/gcc/x86_64-unknown-linux-gnu/4.8.2/../../../../include/c++/4.8.2/future:38:
/usr/bin/../lib64/gcc/x86_64-unknown-linux-gnu/4.8.2/../../../../include/c++/4.8.2/functional:1697:56: error: no type
named 'type' in 'std::result_of<std::packaged_task<void (std::basic_string<char> &)> (std::basic_string<char>)>'
typedef typename result_of<_Callable(_Args...)>::type result_type;
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~^~~~
/usr/bin/../lib64/gcc/x86_64-unknown-linux-gnu/4.8.2/../../../../include/c++/4.8.2/thread:135:41: note: in instantiation
of template class 'std::_Bind_simple<std::packaged_task<void (std::basic_string<char> &)>
(std::basic_string<char>)>' requested here
_M_start_thread(_M_make_routine(std::__bind_simple(
^
temp.cpp:15:15: note: in instantiation of function template specialization 'std::thread::thread<std::packaged_task<void
(std::basic_string<char> &)>, std::basic_string<char> >' requested here
std::thread t(std::move(task), std::move(a));
^
temp.cpp:24:15: note: in instantiation of function template specialization 'spawn_task<void (&)(const
std::basic_string<char> &), std::basic_string<char> &>' requested here
auto res1 = spawn_task(func_string, str);
^
In file included from temp.cpp:2:
In file included from /usr/bin/../lib64/gcc/x86_64-unknown-linux-gnu/4.8.2/../../../../include/c++/4.8.2/future:38:
/usr/bin/../lib64/gcc/x86_64-unknown-linux-gnu/4.8.2/../../../../include/c++/4.8.2/functional:1726:50: error: no type
named 'type' in 'std::result_of<std::packaged_task<void (std::basic_string<char> &)> (std::basic_string<char>)>'
typename result_of<_Callable(_Args...)>::type
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~^~~~
2 errors generated.
【问题讨论】:
-
能否提供编译错误?
-
编译可以像这样改变函数签名:
void func_string(std::string &&x)并使用std::move(str)。我仍然不确定在一般情况下如何正确处理完美转发…… -
@galop1n 这是一个技巧,因为这很完美
auto res = async(launch::async, func_string, str);,我正在尝试效仿。
标签: c++ templates c++11 type-deduction