What's the error in this code? I've got an error
error C4996: 'strcat': This function or variable may be unsafe. Consider using strcat_s instead
What it's mean? Another question - the declaration of the struct and the function prototype is legal?
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void main()
{
char *join(char *, char *);
printf("%s \n", join("duck", "soup"));
}
char *join(char *s1, char *s2)
{
struct {
char buf[256];
} string;
string.buf = "abcd";\\ new line. error l-value.
return strcat(strcpy(string.buf, s1), s2);
}
The new line - why there is an error? isn't string.buf
a char pointer? what's the problem with char *s="abcd"
?
Thanks!:)
The first message is because strcat doesn't check if the target storage is big enough to hold the concatenated string. You might get a buffer overflow.
strcat_s
has an additional parameter which is the buffer length. It will make sure there is no buffer overflow.Regarding you second question, the code in
join()
is bogus. What you do is declare a local variable that is an array of 256 char. As a local variable it will be "destroyed" whenjoin()
terminates.You then copy
s1
into this buffer. Note that the buffer could be too small and you would get a buffer overflow.Then you call
strcat
with the local variable buffer as first argument. The result is thats2
will be appended tos1
in the local variable buffer. The value return bystrcat
is a pointer on the buffer. Whenjoin()
returns, the buffer is "destroyed" and the pointer becomes invalid.Note that another problem in you code is to declare the function
join()
inside of main. You must move this line out of the main function.The way you defined your struct and string variable is correct. It is the way you perform the
join()
that is bogus.