qt libcurl 表单 post
时间: 2023-10-17 22:06:26 浏览: 90
下面是使用Qt和libcurl进行表单POST的示例代码:
```cpp
#include <QtCore>
#include <curl/curl.h>
size_t writeCallback(char* data, size_t size, size_t nmemb, QString* buffer) {
buffer->append(data, size * nmemb);
return size * nmemb;
}
int main(int argc, char *argv[]) {
QCoreApplication app(argc, argv);
CURL* curl = curl_easy_init();
if (!curl) {
qDebug() << "Failed to initialize libcurl";
return 1;
}
// 设置POST参数
curl_httppost* post = nullptr;
curl_httppost* last = nullptr;
curl_formadd(&post, &last, CURLFORM_COPYNAME, "username", CURLFORM_COPYCONTENTS, "testuser", CURLFORM_END);
curl_formadd(&post, &last, CURLFORM_COPYNAME, "password", CURLFORM_COPYCONTENTS, "testpass", CURLFORM_END);
// 设置目标URL
curl_easy_setopt(curl, CURLOPT_URL, "http://example.com/login.php");
// 设置POST请求
curl_easy_setopt(curl, CURLOPT_POST, 1);
curl_easy_setopt(curl, CURLOPT_HTTPPOST, post);
// 设置写入回调函数
QString buffer;
curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, writeCallback);
curl_easy_setopt(curl, CURLOPT_WRITEDATA, &buffer);
// 执行请求
CURLcode result = curl_easy_perform(curl);
if (result != CURLE_OK) {
qDebug() << "Failed to perform request:" << curl_easy_strerror(result);
}
// 清理资源
curl_formfree(post);
curl_easy_cleanup(curl);
// 输出响应内容
qDebug() << "Response:" << buffer;
return app.exec();
}
```
在上面的示例代码中,我们首先初始化了一个CURL对象,并设置了需要提交的POST参数。然后,我们设置了目标URL,并使用`CURLOPT_POST`和`CURLOPT_HTTPPOST`选项开启了POST请求。接着,我们设置了一个回调函数`writeCallback()`,它将响应内容追加到一个QString对象中。最后,我们调用了`curl_easy_perform()`函数来执行请求,并清理了资源。最终,我们输出了响应内容。
请注意,这只是一个简单的示例,你可能需要根据你的具体需求进行调整。
阅读全文