char* key;
key=(char*)malloc(100);
memset(key,'\0',100*sizeof(char));
char* skey="844607587";
char* mess="hello world";
sprintf(key,skey);
sprintf(key,mess);
printf("%s",key);
free(key);
为什么打印输出只有“混乱”没有skey?有没有其他方法可以使用 C 组合两个字符串?
sprintf(key,"%s%s",skey,mess);
分别添加它们:
sprintf(key,"%s",skey);
strcat(key, mess);
sprintf(key,skey);
它写入skey
.key
sprintf(key,mess);
它写入mess
,key
覆盖以前写入的内容skey
。
所以你应该使用这个:
sprintf(key,"%s%s", skey, mess);
printf("Contcatened string = %s",strcat(skey,mess));
除了缺少格式字符串之外,还有一些其他问题:
char* key;
key = malloc(100); // Don't cast return value of malloc in C
// Always check if malloc fails
if(key) {
memset(key, '\0' , 100 * sizeof(char));
const char * skey = "844607587"; // Use const with constant strings
const char * mess = "hello world";
// sprintf requires format string like printf
// Use snprintf instead of sprintf to prevent buffer overruns
snprintf(key, 100, "%s%s", skey, mess);
printf("%s", key);
free(key);
}
编辑:
版本calloc
将替换malloc
和删除memset
:
key = calloc(100, sizeof(char));
if(key) {
const char * skey = "844607587";
您sprintf
在同一个缓冲区上使用了两次,所以它被覆盖了。
你可以这样使用strcat
:
strcpy(key, skey);
strcat(key, mess);
代码如下:
strncpy(key, skey, strlen(skey));
strcat(key, mess);
你的代码如下
sprintf(key,skey);
sprintf(key,mess);
printf("%s",key);
结果将是“你好世界”
您可以将代码更改为如下
sprintf(key, "%s%s", skey, key);
printf("%s",key);
结果如下“844607587hello world”