C - Error with strcat

4.1k Views Asked by At

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!:)

3

There are 3 best solutions below

2
On BEST ANSWER

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" when join() 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 that s2 will be appended to s1 in the local variable buffer. The value return by strcat is a pointer on the buffer. When join() 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.

1
On

The error message is entirely self-explanatory. It's not clear what it is you don't understand. For example, in your join function, terrible things would happen if the two strings together are longer than 255 characters.

Also, your join function is totally broken. It returns a pointer to a buffer that no longer exists once it returns since you allocated it on the stack that you are returning from.

0
On

That's your implementation trying to be helpful.

You can stop it from doing that by adding the following #define at the top of your code

#define _CRT_SECURE_NO_WARNINGS

or follow the suggestion and use strcat_s().