Reputation: 10092
With the curlpp
C++ wrapper for libcurl
how do I specify JSON payload for a post request and how can I receive JSON payload in response? Where do I go from here:
std::string json("{}");
std::list<std::string> header;
header.push_back("Content-Type: application/json");
cURLpp::Easy r;
r.setOpt(new curlpp::options::Url(url));
r.setOpt(new curlpp::options::HttpHeader(header));
// set payload from json?
r.perform();
Then, how do I await for a (JSON) response and retrieve the body?
Upvotes: 10
Views: 8022
Reputation: 10092
Turns out this is fairly straightforward to do, even asynchronously:
std::future<std::string> invoke(std::string const& url, std::string const& body) {
return std::async(std::launch::async,
[](std::string const& url, std::string const& body) mutable {
std::list<std::string> header;
header.push_back("Content-Type: application/json");
curlpp::Cleanup clean;
curlpp::Easy r;
r.setOpt(new curlpp::options::Url(url));
r.setOpt(new curlpp::options::HttpHeader(header));
r.setOpt(new curlpp::options::PostFields(body));
r.setOpt(new curlpp::options::PostFieldSize(body.length()));
std::ostringstream response;
r.setOpt(new curlpp::options::WriteStream(&response));
r.perform();
return std::string(response.str());
}, url, body);
}
Upvotes: 18
Reputation: 1181
By analyzing the documentation, the fifth example shows how to set a callback to get a response:
// Set the writer callback to enable cURL to write result in a memory area
curlpp::types::WriteFunctionFunctor functor(WriteMemoryCallback);
curlpp::options::WriteFunction *test = new curlpp::options::WriteFunction(functor);
request.setOpt(test);
where the callback is defined as
size_t WriteMemoryCallback(char* ptr, size_t size, size_t nmemb)
Since a response can arrive in chunks, it can be called multiple times. Once the response is completed, use a JSON library to parse it.
Upvotes: 1