如何在C中连接多个char字符串?

时间:2011-08-30 08:49:35

标签: c c-strings

  

可能重复:
  C String Concatenation

如何在C中连接多个char字符串?

示例:

const char *bytes = "tablr=Hello%20World";
const char *bytes2 = "tablr=Hello%20World";
const char *bytes3 = "tablr=Hello%20World";

感谢

7 个答案:

答案 0 :(得分:3)

这是一个避免画家问题的建议:

char const *bytes       = "tablr=Hello%20World";
char const *bytes2      = "tablr=Hello%20World";
char const *bytes3      = "tablr=Hello%20World";

unsigned int const sz1  = strlen(bytes );
unsigned int const sz2  = strlen(bytes2);
unsigned int const sz3  = strlen(bytes3);

char *concat            = (char*)malloc(sz1+sz2+sz3+1);

memcpy( concat         , bytes  , sz1 );
memcpy( concat+sz1     , bytes2 , sz2 );
memcpy( concat+sz1+sz2 , bytes3 , sz3 );
concat[sz1+sz2+sz3] = '\0';

/* don't forget to free(concat) when it's not needed anymore */

这可以避免画家的问题,并且应该更有效(尽管有时候没有),因为memcpy可以逐字节或逐字复制,具体取决于实现,这更快。

如果你可以在这里看到一个模式,这可以很容易地转换成一个连接任意数量的字符串的函数,如果它们在char const中提供* []

答案 1 :(得分:2)

通常,您使用strcat中声明的<string.h>函数。

但是你可以通过一个接一个地编写它们来连接字符串文字。例如:

const char *p = "Hello, " "World"
 "!";

指向“Hello,World!”。

在你的情况下,它会是这样的:

const char* p = 
    "tablr=Hello%20World"
    "tablr=Hello%20World"
    "tablr=Hello%20World";

答案 2 :(得分:2)

字符串文字可以简单地通过相邻连接:

const char *whole_string = "tablr=Hello%20World" "tablr=Hello%20World" "tablr=Hello%20World";

上述串联由编译器完成,不会产生运行时开销。

答案 3 :(得分:1)

包含string.h(简单但“慢”(不是非常慢); P)方式:

char * result = calloc(strlen(bytes)+strlen(bytes2)+strlen(bytes3)+1,sizeof(char));
strcat(result, bytes);
strcat(result, bytes2);
strcat(result, bytes3);

使用有效的循环:

int i, j, len = strlen(bytes)+strlen(bytes2)+strlen(bytes3)+1;
char * result = malloc(sizeof(char)*len);
for(i = 0; i < len && bytes[i] != '\0'; i++)
    result[i] = bytes[i];
for(j = 0; i < len && bytes2[j] != '\0'; i++, j++)
    result[i] = bytes2[j];
for(j = 0; i < len && bytes3[j] != '\0'; i++, j++)
    result[i] = bytes3[j];
result[i] = '\0';

答案 4 :(得分:0)

使用strcatstrncat功能。但要注意那些内存分配。

答案 5 :(得分:0)

我建议使用memcpy函数。这非常有效:

int l1 = strlen(bytes), l2 = strlen(bytes2), l3 = strlen(bytes3);
int length = l1+l2+l3;
char *concatenatedBytes = (char *)malloc((length+1)*sizeof(char));
memcpy(concatenatedBytes, bytes, l1);
memcpy(concatenatedBytes + l1, bytes2, l2);
memcpy(concatenatedBytes + l1 + l2, bytes3, l3);
concatenatedBytes[length] = 0;

答案 6 :(得分:0)

如果您的编译器支持它,请使用strcat_s或_tcscat_s。他们会检查你写的缓冲区长度。