溫馨提示×

C++中如何發(fā)送POST請求

c++
小樊
97
2024-09-06 10:15:00
欄目: 編程語言

在C++中,你可以使用第三方庫如libcurl來發(fā)送POST請求

sudo apt-get install libcurl4-openssl-dev

接下來,編寫一個簡單的C++程序來發(fā)送POST請求:

#include<iostream>
#include<string>
#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 main()
{
    CURL* curl = curl_easy_init();
    if (curl)
    {
        // 設(shè)置URL
        curl_easy_setopt(curl, CURLOPT_URL, "https://example.com/api");

        // 設(shè)置POST請求
        curl_easy_setopt(curl, CURLOPT_POST, 1L);

        // 設(shè)置POST數(shù)據(jù)
        std::string postData = "key1=value1&key2=value2";
        curl_easy_setopt(curl, CURLOPT_POSTFIELDS, postData.c_str());

        // 設(shè)置回調(diào)函數(shù)
        curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, WriteCallback);

        // 存儲響應內(nèi)容
        std::string response;
        curl_easy_setopt(curl, CURLOPT_WRITEDATA, &response);

        // 執(zhí)行請求
        CURLcode res = curl_easy_perform(curl);
        if (res != CURLE_OK)
        {
            std::cerr << "Error: "<< curl_easy_strerror(res)<< std::endl;
        }
        else
        {
            std::cout << "Response: "<< response<< std::endl;
        }

        // 清理資源
        curl_easy_cleanup(curl);
    }

    return 0;
}

這個示例向https://example.com/api發(fā)送一個POST請求,并將響應內(nèi)容輸出到控制臺。請確保將URL替換為你要發(fā)送請求的實際API地址。

要編譯此程序,請使用以下命令:

g++ -o post_request post_request.cpp -lcurl

然后運行生成的可執(zhí)行文件:

./post_request

這將發(fā)送一個POST請求并顯示響應內(nèi)容。

0