Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
327 views
in Technique[技术] by (71.8m points)

c - Correct way to malloc space for a string and then insert characters into that space?

I have two strings, str1 and str2. I want the concatenation of them on a space in the heap. I malloc space for them using:

char *concat = (char*) malloc(strlen(str1) + strlen(str2) + 1);

Can I just do:

strcat(concat, str1);
strcat(concat, str2);

And concat will give me the place on the heap with the two strings concatted? I am asking because it seems that strcat would actually add the str1 to the end of the space allocated using malloc. Is this correct? So, then, str1 would appear at position strlen(str1) + strlen(str2) + 1.

The reason that I am asking is that I am using the method above, but I am getting an error in valgrind: Conditional jump or move depends on uninitialised value(s)

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Reply

0 votes
by (71.8m points)

What strcat(dest, src) actually does is search for the a null byte starting at dest and going forward, and then write the src string there.

After malloc, the contents of memory are undefined, so your current code could do any number of things, most of them incorrect. If you do concat[0] = 0 before the strcat's, then your code works but will have to search for the length of str1 three times -- once for strlen, again for the first strcat, and last for the second strcat.

Instead though, I recommend using memcpy:

size_t len1 = strlen(str1), len2 = strlen(str2);
char *concat = (char*) malloc(len1 + len2 + 1);

memcpy(concat, str1, len1);
memcpy(concat+len1, str2, len2+1);

This takes advantage of the fact that you know from the start where you want the bytes of both strings to go, and how many there are.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
OGeek|极客中国-欢迎来到极客的世界,一个免费开放的程序员编程交流平台!开放,进步,分享!让技术改变生活,让极客改变未来! Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...