我无法确定我的代码存在段错误?
基本上,它通过SSL(HTTPS)安全连接连接到服务器,并进行GET,以提供MachineID(程序将其作为参数)。
还应该设置一些自定义标题。然后,我将返回的正文和标题保存为单独的文本文件。 (基本上它将运行一个shell脚本,因此我的远程系统可以自动从我的服务器中获取“订单”)
但是它存在segfaults,我唯一要在其上进行开发的linux机器是我的VPS,由于其奇怪的虚拟化,它总是在加载GDB时崩溃...:o
谁能告诉我问题出在哪里? -我认为它几乎可以肯定在我的字符串连接中-在其中建立标题,并请求URL。
编辑:啊,忘记了密码!
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <curl/curl.h>
#include <string.h>
static size_t write_data(void *ptr, size_t size, size_t nmemb, void *stream)
{
int written = fwrite(ptr, size, nmemb, (FILE *)stream);
return written;
}
int main(int argc, char *argv[])
{
static const char *headerfilename = "head.out";
static const char *bodyfilename = "body.out";
char *url = "https://fakeserver.fakesite.com:8443/SystemManager/getOrders.jsp?machineID=";
char *customHeader = "MachineID:";
char *machineID = NULL;
struct curl_slist *chunk = NULL;
CURL *curl;
CURLcode res;
FILE *headerfile;
FILE *bodyfile;
if (argc == 2)
{
machineID = argv[1];
strcat(url,machineID);
}
else
{
printf("Usage: %s <MachineID>\n", argv[0]);
return 1;
}
curl_global_init(CURL_GLOBAL_SSL);
// init the curl session
curl = curl_easy_init();
if(curl) {
// set URL to get
curl_easy_setopt(curl, CURLOPT_URL, url);
// no progress meter please
curl_easy_setopt(curl, CURLOPT_NOPROGRESS, 1L);
// send all data to this function
curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, write_data);
// some servers don't like requests that are made without a user-agent field, so we provide one
curl_easy_setopt(curl, CURLOPT_USERAGENT, "libcurl-agent/1.0");
// Also add a custom MachineID header
strcat(customHeader, machineID);
chunk = curl_slist_append(chunk, customHeader);
res = curl_easy_setopt(curl, CURLOPT_HTTPHEADER, chunk);
// These tweaks must be enabled for my dodgy self-signed certificate.
// DONT bother verifying our certificate is signed by a trusted CA.
curl_easy_setopt(curl, CURLOPT_SSL_VERIFYPEER, 0L);
// DONT check the hostname on the certificate matcheds the remote system.
curl_easy_setopt(curl, CURLOPT_SSL_VERIFYHOST, 0L);
// open the files
headerfile = fopen(headerfilename,"w");
if (headerfile == NULL) {
curl_easy_cleanup(curl);
return -1;
}
else
{
// we want the headers to this file handle
curl_easy_setopt(curl, CURLOPT_WRITEHEADER, headerfile);
}
bodyfile = fopen(bodyfilename,"w");
if (bodyfile == NULL) {
curl_easy_cleanup(curl);
return -1;
}
else
{
// we want the body to this file handle
curl_easy_setopt(curl, CURLOPT_WRITEDATA, bodyfile);
}
// get it!
res = curl_easy_perform(curl);
// close the files
fclose(headerfile);
fclose(bodyfile);
// always cleanup curl stuff
curl_easy_cleanup(curl);
}
curl_global_cleanup();
return 0;
}
最佳答案
您正在使用字符串文字作为strcat
的目标。您需要为指针分配内存,然后在strcpy
和strcat
函数中将它们用作目标
字符串文字通常位于RO区域中,写入此类区域可能会调用未定义行为
改变像
char *url
至
char url[100];
还可以考虑使用n
,strcat
和适当的缓冲区大小的strcpy
版本,以防止意外的缓冲区溢出关于c++ - 简单的libcurl应用-segfault,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10362487/