您也可以使用then
Herb Sutter 提出的功能。这是该函数的略微修改版本。有关如何修改的更多信息以及原始谈话的链接可以在这个 SO question中找到。您的代码将归结为:
return then(std::move(component), [](Component c) { return Item(c); });
最初的想法是将函数then
作为成员函数,std::future<T>
并且正在进行一些将其放入标准的工作。该函数的第二个版本用于void
期货(本质上只是异步链接函数)。正如 Herb 指出的那样,您可能会因为可能需要额外的线程而为使用这种方法付费。
您的代码如下所示:
#include <future>
#include <thread>
#include <iostream>
template <typename T, typename Work>
auto then(std::future<T> f, Work w) -> std::future<decltype(w(f.get()))>
{
return std::async([](std::future<T> f, Work w)
{ return w(f.get()); }, std::move(f), std::move(w));
}
template <typename Work>
auto then(std::future<void> f, Work w) -> std::future<decltype(w())>
{
return std::async([](std::future<void> f, Work w) -> decltype(w())
{ f.wait(); return w(); }, std::move(f), std::move(w));
}
struct Component { };
struct Item {
Item(Component component) : comp(component) {}
Component comp;
};
struct Factory {
static std::future<Item> get_item() {
std::future<Component> component = get_component();
return then(std::move(component), [](Component c) { return Item(c); });
}
static std::future<Component> get_component()
{
return std::async([](){ return Component(); });
}
};
int main(int argc, char** argv)
{
auto f = Factory::get_item();
return 0;
}
上面的代码可以用 clang 和 libc++ 编译(在 Mac OS X 10.8 上测试)。