strcpy and strcat cause problems sometimes
hello I have a code like the one below
char *str ;
strcpy(str, "\t<");
strcat(str, time);
strcat(str, ">[");
strcat(str, user);
strcat(str, "]");
strcat(str, "(");
strcat(str, baseName);
strcat(str, ") $ ");
printf("\String is now: %s\n", str);
This code seems working but when I use XCode analyse function, it says "Function call argument is an uninitialized value" and also it sometimes causes my program crash.. when I remove it开发者_如何学C, then it works fine... Whats wrong with that? Thanks
strcpy
and strcat
are used to copy and concatenate strings to an allocated char array.
Since str
in not initilized you're writing somewhere in memory and this is bad because you're corrupting other data. It may work at that moment but sooner or later you'll program will crash.
You should allocate memory when declaring str:
char str[100];
Also, strcat
is not efficient as it needs to search for the string end to know where concatenate chars. Using sprintf
would be more efficient:
sprintf(str, "\t<%s>[%s](%s) $ ", time, user, baseName);
Finally, if you can't guarantee the generated string will fit the array, you'd better use snsprintf.
You don't allocate memory and you leave str
uninitialized. All later writes are done through an uninitialized pointer that points "somewhere" - that's undefined behavior.
You have to allocate (and later free) memory large enough to hold the resulting string:
char *str = malloc( computeResultSizeSomehow() );
if( str == 0 ) {
// malloc failed - handle as fatal error
}
//proceed with your code, then
free( str );
This is much simpler and error-free from buffer overflows:
#define BUFFERSIZE 512
char str[BUFFERSIZE];
snprintf(str, BUFFERSIZE, "\t<%s>[%s](%s) $ ", time, user, baseName);
精彩评论