c ++:packaged_task通过promises

时间:2015-05-04 17:28:31

标签: c++ multithreading promise packaged-task

我正在尝试使用promises实现packaged_task作为模板类。

我的编译错误说我正在引用已删除的函数。我怀疑我需要实现复制和/或移动语义,但我很困惑如何以及从何处开始。任何建议都非常感谢:

#include "stdafx.h"
#include <iostream>
#include <future>
#include <functional>
#include <thread>
using namespace std;

//Base case
template<class>
class promised_task;

//Templated class
template<class Ret, class...Args>
class promised_task<Ret(Args...)> {
public:
    //Constructor
    //Takes a function argument that is forwarded to fn member
    template<class F>
    explicit promised_task(F&& f) :fn(f){}

    //get_future member function:
    future<Ret> get_future(){
        return prom.get_future();
    }

    //Set value
    void operator()(Args&&...args){
        prom.set_value(fn(forward<Args>(args)...));
    }

private:
    //Promise member
    promise<Ret> prom;

    //Function member
    function<Ret(Args...)> fn;
};


//Sample function from cplusplus.com
int countdown(int from, int to){
    for (int i = from; i != to; --i){
        cout << i << endl;
        this_thread::sleep_for(chrono::seconds(1));
    }
    cout << "Lift off!" << endl;
    return from - to;
}

//Verification function also from cplusplus.com
int main(){
    promised_task<int(int, int)>tsk(countdown);
    future<int>ret = tsk.get_future();

    thread th(move(tsk), 10, 0);

    int value = ret.get();

    cout << "The countdown lasted for " << value << " seconds." << endl;

    th.join();

    cout << "Press any key to continue:" << endl;
    cin.ignore();
    return 0;
}

1 个答案:

答案 0 :(得分:1)

thread th(move(tsk), 10, 0)

我猜这是产生错误的一行。

添加:

promised_task(promised_task&& o):
  prom(std::move(o).prom), fn(std::move(o).fn)
{}

promised_task以手动编写移动ctor。 C ++ 11要求编译器为您编写上面的移动构造函数(或一个等价物)。 MSVC2013不是兼容的C ++ 11编译器。

错误是抱怨它无法通过promised_task移动promised_task(promised_task const&)promise被隐式删除,因为promised_task(promised_task&&)没有复制构造函数。编译器应该编写public interface IEventListener<TEvent> where TEvent: IEvent { void Handle(TEvent @event); } class MyEventHandler : IEventListener<SomeEvent> { public void Handle(SomeEvent @event) { // Handle the event of course } } ,但它不是C ++ 11编译器(不是真的),所以它没有,并且你得到一个关于缺少复制构造函数的错误。

当您尝试移动类型时,如果它没有移动操作,则隐式调用复制。如果删除/不可能/无法访问副本,则会收到有关无法复制类型的错误。

请注意,MSVC2015正在修复该漏洞。 MSVC2015 C ++ 11实现中剩下的一大漏洞就是微软称之为&#34;表达SFINAE&#34;以及连锁效应(因为它需要它来实现它而导致合规性失败的库组件)。

在最近关于C ++ 11合规性的通信中,他们表示他们计划在MSVC2015周期的某个时间在最终消费者(不是测试版)的更新中发布它,但是在下一个周期之前不启用阻止的库功能主要版本(以避免ODR违规)。