我想移动并在lambda中调用boost :: packaged_task。
然而,我无法找到一个优雅的解决方案。
e.g。这不会编译。
template<typename Func>
auto begin_invoke(Func&& func) -> boost::unique_future<decltype(func())> // noexcept
{
typedef boost::packaged_task<decltype(func())> task_type;
auto task = task_type(std::forward<Func>(func));
auto future = task.get_future();
execution_queue_.try_push([=]
{
try{task();}
catch(boost::task_already_started&){}
});
return std::move(future);
}
int _tmain(int argc, _TCHAR* argv[])
{
executor ex;
ex.begin_invoke([]{std::cout << "Hello world!";});
//error C3848: expression having type 'const boost::packaged_task<R>' would lose some const-volatile qualifiers in order to call 'void boost::packaged_task<R>::operator ()(void)'
// with
// [
// R=void
// ]
return 0;
}
我相当难看的解决方案:
struct task_adaptor_t
{
// copy-constructor acts as move constructor
task_adaptor_t(const task_adaptor_t& other) : task(std::move(other.task)){}
task_adaptor_t(task_type&& task) : task(std::move(task)){}
void operator()() const { task(); }
mutable task_type task;
} task_adaptor(std::move(task));
execution_queue_.try_push([=]
{
try{task_adaptor();}
catch(boost::task_already_started&){}
});
将packaged_task移动到调用它的lambda的“正确”方法是什么?
答案 0 :(得分:2)
有一个类似的问题我发布了关于进入lambdas的问题。 C ++ 0x没有任何移动捕获语法。我能提出的唯一解决方案是某种代理函数对象。
template<typename T, typename F> class move_capture_proxy {
T t;
F f;
public:
move_capture_proxy(T&& a, F&& b)
: t(std::move(a)), f(std::move(b)) {}
auto operator()() -> decltype(f(std::move(b)) {
return f(std::move(b));
}
};
template<typename T, typename F> move_capture_proxy<T, F> make_move_proxy(T&& t, F&& f) {
return move_capture_proxy<T, F>(std::move(t), std::move(f));
}
execution_queue.try_push(make_move_proxy(std::move(task), [](decltype(task)&& ref) {
auto task = std::move(ref);
// use task
});
请注意,我实际上没有尝试过这个代码,使用可变参数模板会变得更好,但是MSVC10没有它们,所以我真的不知道它们。
答案 1 :(得分:2)
通过正确实现std :: bind(或类似于启用移动的类型),您应该能够将bind和C ++ 0x lambda组合在一起:
task_type task (std::forward<Func>(func));
auto future = task.get_future();
execution_queue_.try_push(std::bind([](task_type const& task)
{
try{task();}
catch(boost::task_already_started&){}
},std::move(task)));
return future;
btw:你不需要std :: move将来,因为future是一个本地对象。因此,它已经受到潜在的复制省略,如果编译器无法做到这一点,则必须从'future'移动构造返回值。在这种情况下显式使用std :: move实际上可能会禁止复制/移动省略。