提升等效于std :: async()

时间:2012-01-16 06:29:25

标签: c++ boost asynchronous c++11

不直接使用boost::threadboost::bind,有没有办法实现以下代码的等价物?

std::string func()
{
    std::string str("Hello from async task!");
    return str;
}

int main()
{
    auto ftr = std::async(&func);
    std::cout << "Hello from main!";
    std::string str = ftr.get();
    std::cout << str << std::endl;      
    return 0;
}

具体来说,这部分:auto ftr = std::async(&func);

1 个答案:

答案 0 :(得分:9)

当然可以。只需让async<T>(std::function<T()>)返回一个在第一次等待时调用func()的未来。你不会得到任何异步性,但API实际上并不能保证函数将异步运行,所以这不是问题。

如果您可以访问特定于操作系统的线程库,您当然也可以使用它。

但请注意,存储异常不能轻松实现;它需要C ++实现的额外支持,除非您可以将支持的异常限制为具有多态克隆功能的异常。有关详细信息,请参阅this question

最终实现可能看起来有点像(未经测试):

// NOTE - we assume a SINGLE THREADED environment

template<typename T>
class myfuture_detail {
    mutable boost::variant<T, boost::function<T()> > val;

public:
    myfuture_detail(const boost::function<T()> &f)
        : val(f) { }

    const T &get() const {
        if (T *t = boost::get<T>(&val)) {
            return *t;
        } else {
            boost::function<T()> f = *boost::get<boost::function<T> >(&val);
            val = f();

            T *t = boost::get<T>(&val);
            assert(t);

            return *t;
        }
    }
};

template<typename T>
class myfuture {
    boost::shared_ptr<myfuture_detail<T> > ptr;

public:
    myfuture(const boost::function<T()> &f)
        : ptr(boost::make_shared<myfuture_detail<T> >(f))
    {}

    myfuture() { }

    const T &get() const {
        return ptr->get();
    }
};