2

我正在编写一个 C++ 程序以使用 C++ REST SDK 与 Internet 进行交互。我有一个主要功能和一个 webCommunication 功能。代码类似于下面:

 void webCommunication(data, url)
 {
 //Communicate with the internet using the http_client
 //Print output
 }

 int main()
 {
 //Obtain information from user
 webCommunication(ans1, ans2);
 system("PAUSE");
 }

但是,在 webCommunication 函数完成之前,似乎 main 函数正在运行。如果我将 webCommunication 设为字符串的函数类型并具有

cout << webCommunication(ans1, ans2) << endl;

但这仍然会暂停,然后打印检索到的数据。通常,这会很好,希望我稍后在代码中指的是返回的答案。如果 webCommunication 未完成,应用程序将崩溃。我可以使用某种 wait_until 函数吗?

更新:我尝试使用建议的互斥锁但没有成功。我还尝试将函数作为线程启动,然后使用 .join() 仍然没有成功。

4

2 回答 2

1

如果您将 webCommunications() 函数声明为

pplx::task<void> webCommunications()
{
}

然后你可以在调用函数时使用“.wait()”。然后它将等到函数执行后继续。看起来像这样:

pplx::task<void> webCommunications()
{
}

int main()
{
webCommunications().wait();
//Do other stuff
}
于 2015-04-04T16:50:38.353 回答
0

我认为您在描述中缺少关键字。异步。这表明它在完成之前返回。如果您需要它是同步的,您应该在调用之后立即放置一个信号量获取,并在回调代码中放置一个释放。

https://msdn.microsoft.com/en-us/library/jj950081.aspx

上面链接的修改代码片段(添加锁到回调):

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

    // Make the request and asynchronously process the response. 
    return client.request(methods::GET).then([](http_response response)
    {
        // Print the status code.
        std::wostringstream ss;
        ss << L"Server returned returned status code " << response.status_code() << L'.' << std::endl;
        std::wcout << ss.str();

        // TODO: Perform actions here reading from the response stream.
        auto bodyStream = response.body();

        // In this example, we print the length of the response to the     console.
        ss.str(std::wstring());
        ss << L"Content length is " << response.headers().content_length() << L" bytes." << std::endl;
        std::wcout << ss.str();

        // RELEASE lock/semaphore/etc here.
        mutex.unlock()
    });

    /* Sample output:
    Server returned returned status code 200.
    Content length is 63803 bytes.
    */
}

注意:在函数调用后获取互斥锁以开始 Web 处理。添加到回调代码以释放互斥锁。以这种方式,主线程锁定,直到函数实际完成,然后继续“暂停”。

int main()
{
    HttpStreamingAsync();
    // Acquire lock to wait for complete
    mutex.lock();
    system("PAUSE");
}
于 2015-04-03T19:08:39.380 回答