/********************** *C语言标准库函数strcpy的一种典型的工业级的最简实现 *返回值:目标串的地址。 *对于出现异常的情况ANSI-C99标准并未定义,故由实现者决定返回值,通常为NULL。 *参数:des为目标字符串,source为原字符串 */ char*strcpy(char*des,constchar*source) { char*r=des; while(*des++=*source++); return r; } /*while((*des++=*source++));的解释:赋值表达式返回左操作数,所以在复制NULL后,循环停止*/
char * strcpy(char * strDest,const char * strSrc);
char * strcpy(char * strDest,const char * strSrc) {
char * strDestCopy = strDest; //[3] if ((NULL==strDest)||(NULL==strSrc)) //[1] throw "Invalid argument(s)"; //[2] while ((*strDest++=*strSrc++)!=‘\0‘); //[4] return strDestCopy; }
int iLength=strlen(strcpy(strA,strB));
char * strA=strcpy(new char[10],strB);
while ((*strDestCopy++=*strSrc++)!=‘\0‘);
while( 1 ){ char temp; temp = *strDestCopy = *strSrc; strDestCopy++; strSrc++; if( ‘\0‘ == temp ) break; }
while ( *strSrc != ‘\0‘ ) { *strDestCopy = *strSrc; strDestCopy++; strSrc++; } *strDestCopy=*strSrc;
#include<iostream> #include<stdlib.h> using namespace std; char * strcpy( char * strDest, const char * strSrc ){ char * strDestCopy = strDest; if ((NULL==strDest)||(NULL==strSrc)) throw "Invalid argument"; while ( (*strDest++=*strSrc++) != ‘\0‘ ); return strDestCopy; } void main( int argc, char * argv[] ){ char a[20], c[] = "i am teacher!"; try{ strcpy(a,c); } catch(char* strInfo) { cout << strInfo << endl; exit(-1); } cout << a << endl; }
#include<iostream> using namespace std; char *strcpy(char *strDes, const char *strSrc); //函数声明 int main(){ const char *strSrc="helloworld";; char *strDes=NULL; strDes=strcpy(strDes,strSrc); cout<<"strSrc="<<strSrc<<endl; cout<<"strDes="<<strDes<<endl; if(strDes!=NULL){ free(strDes); strDes=NULL; } return 0; } char *strcpy(char *strDes, const char *strSrc){ assert(strSrc!=NULL); //若strSrc为NULL,则抛出异常。 strDes=(char *)malloc(strlen(strSrc)+1); //多一个空间用来存储字符串结束符‘\0‘ char *p=strDes; while(*strSrc!=‘\0‘){ *p++=*strSrc++; } *p=‘\0‘; return strDes; }
1 2 3 4 char* p="how are you ?"; char name[20]="ABCDEFGHIJKLMNOPQRS"; strcpy(name,p); //name改变为"how are you ? "====>正确! strncpy(name,p, sizeof(name));//name改变为"how are you ?"=====>正确!后续的字符将置为NULL
1 2 3 4 5 6 char* p="how are you ?"; char name[10]; strcpy(name,p); //目标串长度小于源串,错误! name[sizeof(name)-1]=‘\0‘; //和上一步组合,弥补结果,但是这种做法并不可取,因为上一步出错处理方式并不确定 strncpy(name,p,sizeof(name)); //源串长度大于指定拷贝的长度sizeof(name),注意在这种情况下不会自动在目标串后面加‘\0‘ name[sizeof(name)-1]=‘\0‘; //和上一步组合,弥补结果
原文:http://www.cnblogs.com/mjorcen/p/3816130.html