要在C++中構建JSON數據并發送POST請求,您可以使用第三方庫,例如nlohmann/json和libcurl
首先,安裝nlohmann/json庫。您可以通過訪問https://github.com/nlohmann/json#integration 獲取有關如何將其添加到項目的信息。
安裝libcurl庫。您可以從 https://curl.se/download.html 下載源代碼并按照說明進行編譯和安裝。對于許多操作系統,您還可以使用預編譯的包管理器(如apt、yum或brew)安裝libcurl。
在您的C++文件中,包含所需的頭文件:
#include<iostream>
#include<string>
#include <nlohmann/json.hpp>
#include <curl/curl.h>
size_t WriteCallback(void* contents, size_t size, size_t nmemb, void* userp)
{
((std::string*)userp)->append((char*)contents, size * nmemb);
return size * nmemb;
}
int sendPostRequest(const std::string& url, const std::string& jsonData, std::string& response)
{
CURL* curl = curl_easy_init();
if (curl) {
curl_easy_setopt(curl, CURLOPT_URL, url.c_str());
curl_easy_setopt(curl, CURLOPT_POSTFIELDS, jsonData.c_str());
curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, WriteCallback);
curl_easy_setopt(curl, CURLOPT_WRITEDATA, &response);
struct curl_slist* headers = NULL;
headers = curl_slist_append(headers, "Content-Type: application/json");
curl_easy_setopt(curl, CURLOPT_HTTPHEADER, headers);
CURLcode res = curl_easy_perform(curl);
if (res != CURLE_OK) {
std::cerr << "Error in sending POST request: "<< curl_easy_strerror(res)<< std::endl;
return -1;
}
curl_easy_cleanup(curl);
}
return 0;
}
int main()
{
// 創建JSON數據
nlohmann::json jsonData;
jsonData["key1"] = "value1";
jsonData["key2"] = "value2";
std::string jsonString = jsonData.dump();
// 發送POST請求
std::string response;
int result = sendPostRequest("https://your-api-endpoint.com", jsonString, response);
if (result == 0) {
std::cout << "Response: "<< response<< std::endl;
} else {
std::cerr << "Failed to send POST request."<< std::endl;
}
return 0;
}
g++ main.cpp -o main -lcurl
./main
這將創建一個包含兩個鍵值對的JSON數據,并將其發送到指定的API端點。