strcpy.h:html
1 #ifndef STRCPY_H 2 #define STRCPY_H 3 4 #include <stdio.h> 5 6 char *cat_strcpy(char *dst, const char *src) { 7 if (NULL == src || NULL == src) 8 return NULL; 9 10 char *s = (char *)src, *d = dst; 11 12 while ((*d++ = *s++) != '\0') { 13 // do nothing 14 } 15 *d = '\0'; 16 17 return dst; 18 } 19 20 #endif
main:函数
1 2 #include "strcpy.h" 3 4 5 void test_strcpy(); 6 7 int main() { 8 test_strcpy(); 9 10 return 0; 11 } 12 13 14 void test_strcpy() { 15 char *src = "test_strcpy"; 16 char dest[20] = { 0 }; 17 cat_strcpy(dest, src); 18 19 printf("%s\n", dest); 20 }
strcpy(str1,str2)函数可以将str2中的内容复制到str1中,为何还须要函数返回值?应该是方便实现链式表达式,好比:spa
int length = strlen(strcpy(str1,str2));
ref:http://www.cnblogs.com/chenyg32/p/3739564.htmlcode
char s[10]="hello";htm
strcpy(s, s+1); //应返回ello,blog
//strcpy(s+1, s); //应返回hhello,但实际会报错,由于dst与src重叠了,把'\0'覆盖了内存
所谓重叠,就是src未处理的部分已经被dst给覆盖了,只有一种状况:src<=dst<=src+strlen(src)it
C函数memcpy自带内存重叠检测功能,下面给出memcpy的实现my_memcpy。io
char * strcpy(char *dst,const char *src) { assert(dst != NULL && src != NULL); char *ret = dst; my_memcpy(dst, src, strlen(src)+1); return ret; }
my_memcpy的实现以下: