17

下面的代码基于Herb Sutter实现 .then() 类型延续的想法。

  template<typename Fut, typename Work>
auto then(Fut f, Work w)->std::future<decltype(w(f.get()))>
  { return std::async([=] { w(f.get()); }); }

这将像auto next = then(f, [](int r) { go_and_use(r); });或类似地使用。

这是一个巧妙的想法,但就目前而言是行不通的(期货只能移动,不可复制)。我确实喜欢这个想法,因为据我所知,它可能会出现在即将发布的 c++ 版本中(尽管是 .then() 甚至等待。)

在使期货共享或类似之前,我想知道堆栈溢出社区会如何看待这个实现,特别是改进和建议(甚至共享期货)?

在此先感谢您的任何建议。

(我知道这是一个修复,直到基于标准的机制存在,因为它会花费一个线程(也许)))。

4

2 回答 2

9

我发现上述实现存在 3 个问题:

  • std::shared_future只有当你通过as时它才会起作用Fut
  • 延续可能希望有机会处理异常。
  • 它不会总是按预期运行,因为如果您不指定std::launch::async它可能会被延迟,因此不会像预期的那样调用延续。

我试图解决这些问题:

template<typename F, typename W, typename R>
struct helper
{
    F f;
    W w;

    helper(F f, W w)
        : f(std::move(f))
        , w(std::move(w))
    {
    }

    helper(const helper& other)
        : f(other.f)
        , w(other.w)
    {
    }

    helper(helper&& other)
        : f(std::move(other.f))
        , w(std::move(other.w))
    {
    }

    helper& operator=(helper other)
    {
        f = std::move(other.f);
        w = std::move(other.w);
        return *this;
    }

    R operator()()
    {
        f.wait();
        return w(std::move(f)); 
    }
};

}

template<typename F, typename W>
auto then(F f, W w) -> std::future<decltype(w(F))>
{ 
    return std::async(std::launch::async, detail::helper<F, W, decltype(w(f))>(std::move(f), std::move(w))); 
}

像这样使用:

std::future<int> f = foo();

auto f2 = then(std::move(f), [](std::future<int> f)
{
    return f.get() * 2; 
});
于 2013-01-07T17:21:00.893 回答
-1

这是使用 g++ 4.8 和 clang++ 3.2 测试的解决方案:

template<typename F, typename W>
auto then(F&& f, W w) -> std::future<decltype(w(f.get()))>
{
  cout<<"In thread id = "<<std::this_thread::get_id()<<endl;
  return std::async(std::launch::async, w, f.get());
}

void test_then()
{
  std::future<int> result=std::async([]{ return 12;});
  auto f = then(std::move(result), [](int r) {
    cout<<"[after] thread id = "<<std::this_thread::get_id()<<endl;
    cout<<"r = "<<r<<endl;
    return r*r;
  });
  cout<<"Final result f = "<<f.get()<<endl;
}
于 2013-05-20T02:17:15.483 回答