How do I concatenate const/literal strings in C? How do I concatenate const/literal strings in C? c c

How do I concatenate const/literal strings in C?


In C, "strings" are just plain char arrays. Therefore, you can't directly concatenate them with other "strings".

You can use the strcat function, which appends the string pointed to by src to the end of the string pointed to by dest:

char *strcat(char *dest, const char *src);

Here is an example from cplusplus.com:

char str[80];strcpy(str, "these ");strcat(str, "strings ");strcat(str, "are ");strcat(str, "concatenated.");

For the first parameter, you need to provide the destination buffer itself. The destination buffer must be a char array buffer. E.g.: char buffer[1024];

Make sure that the first parameter has enough space to store what you're trying to copy into it. If available to you, it is safer to use functions like: strcpy_s and strcat_s where you explicitly have to specify the size of the destination buffer.

Note: A string literal cannot be used as a buffer, since it is a constant. Thus, you always have to allocate a char array for the buffer.

The return value of strcat can simply be ignored, it merely returns the same pointer as was passed in as the first argument. It is there for convenience, and allows you to chain the calls into one line of code:

strcat(strcat(str, foo), bar);

So your problem could be solved as follows:

char *foo = "foo";char *bar = "bar";char str[80];strcpy(str, "TEXT ");strcat(str, foo);strcat(str, bar);


Avoid using strcat in C code. The cleanest and, most importantly, the safest way is to use snprintf:

char buf[256];snprintf(buf, sizeof(buf), "%s%s%s%s", str1, str2, str3, str4);

Some commenters raised an issue that the number of arguments may not match the format string and the code will still compile, but most compilers already issue a warning if this is the case.


Strings can also be concatenated at compile time.

#define SCHEMA "test"#define TABLE  "data"const char *table = SCHEMA "." TABLE ; // note no + or . or anythingconst char *qry =               // include comments in a string    " SELECT * "                // get all fields    " FROM " SCHEMA "." TABLE   /* the table */    " WHERE x = 1 "             /* the filter */                 ;