1

我正在使用Casablanca C++ Rest SDK进行 http 连接。这是发出 http 请求的基本代码。

从卡萨布兰卡文档复制:

// Creates an HTTP request and prints the length of the response stream.
pplx::task<void> HTTPStreamingAsync()
{
    http_client client(L"http://www.google.com");

    // Make the request and asynchronously process the response. 
    return client.request(methods::GET).then([](http_response response)
    {
        // Response received, do whatever here.
    });
}

这将执行异步请求并在完成后执行回调。我需要创建自己的类来使用这些代码,并且我想将它包装到我自己的回调中。

为简单起见,假设我想创建一个类,该类具有打印 google.com 的 html 代码的方法。

所以我期待这样的事情:

MyClass myObject;
myObject.getGoogleHTML([](std::string htmlString)
{
    std::cout << htmlString;
});

我搜索并阅读了相关文章,例如:

  1. C++类成员回调简单例子
  2. C++11 风格的回调?
  3. 周五问答 2011-06-03:Objective-C 块与 C++0x Lambda:战斗!

但是当我习惯了completion blockin 时,我仍然有点困惑Objective-C。如何构造这样一个包装回调的类?

4

1 回答 1

1

将 lambda 作为一般类型。作为奖励,它可以与任何其他可调用对象一起使用。

template<typename F>
pplx::task<void> MyClass::getGoogleHTML(F f) {
    http_client client(L"http://www.google.com");
    return client.request(methods::GET).then(f);
}

如果你愿意,你也可以完美地转发f。如果您实际上想要提取一些东西以提供给传入的 lambda,请将 lambda 传递给捕获并使用提取的数据调用它。F &&f.then(std::forward<F>(f))thenf

于 2014-06-26T15:20:24.297 回答