我通过使用字符串连接与C进行动态PUT请求。我的问题是在第一次请求之后,我需要保持静态putEndpoint
的字符串被字符串连接I&#改变39; m使用它。
char putEndpoint[] = "PUT /api/v1/products/";
char http[] = " HTTP/1.1";
char productID[idLen];
for(int i = 0; i < 13; i++) {
productID[i] = newTag[i];
}
// going into this strcat, putEndpoint correctly = "PUT /api/v1/products/"
char *putRequestID = strcat(putEndpoint,productID);
// putEndpoint now = "PUT /api/v1/products/xxxxxxxxxxx"
char *putRequestEndpoint = strcat(putRequestID,http);
现在,如果我要进行第二次通话(我需要做),putEndpoint
初始化为"PUT /api/v1/products/xxxxxxxxxxx"
。
编辑:是否有strcat()
的替代方案可以完成此连接? 我现在明白strcat()
意味着改变价值观。
答案 0 :(得分:3)
您可以使用sprintf
。
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
int main(void) {
char putEndpoint[] = "PUT /api/v1/products/";
char http[] = " HTTP/1.1";
char *putRequestEndpoint;
putRequestEndpoint=malloc(strlen(putEndpoint)+strlen(http)+1); //allocating memory
sprintf(putRequestEndpoint,"%s%s",putEndpoint,http); // formatted output is stored in putRequestEndpoint
printf("%s\n",putRequestEndpoint);
printf("%s",putEndpoint); // will print original string unchanged.
free(putRequestEndpoint); //freeing memory
return 0;
}
答案 1 :(得分:0)
我最终将putEndpoint
更改为常量并创建了一个缓冲区数组,然后我将putEndpoint
复制到其中。然后,此数组在每次请求后重置。
const char putEndpoint[] = "PUT /api/v1/products/";
char http[] = " HTTP/1.1";
char productID[idLen];
char putRequestBuffer[100];
strcpy(putRequestBuffer, putEndpoint);
strcat(putRequestBuffer, productID);
char *putRequestEndpoint = strcat(putRequestBuffer,http);
答案 2 :(得分:0)
memcpy
和具有固定大小和正确边界检查的静态数组是你的朋友,我的朋友。
答案 3 :(得分:0)
您必须使用代码重置它。如果您将putEndpoint[]
更改为const,这将使您的第一行看起来像
const char putEndpoint[] = "PUT /api/v1/products/";
编译器会在您第一次strcat(putEndpoint,...)
时给出错误,因为strcat会尝试写入常量变量。这将迫使您找到替代解决方案。
下面的代码根据需要干净地为端点字符串分配临时内存,将第一个字符串复制到其中,将下两个连接到它上,使用它,最后取消分配它并将指针设置回NULL。
int lengthEndpoint = 0;
char* putRequestEndpoint = NULL;
lengthEndpoint = strlen(putEndpoint) + strlen(productID) + strlen(http);
lengthEndpoint += 1; // add room for null terminator
putRequestEndpoint = malloc(lengthEndpoint);
strcpy(putRequestEndpoint, putEndpoint);
strcat(putRequestEndpoint, productID);
strcat(putRequestEndpoint, http);
// do something with putRequestEndpoint
free(putRequestEndpoint);
putRequestEndpoint = NULL;
在回答这个问题之前,我使用这个WIKIBOOKS site刷新了对C字符串操作的记忆。我推荐它进一步阅读这个主题。