標籤:des style blog color 使用 strong
null 指標和傳參問題
1) 段錯誤。形參改為二級指標即可void GetMemory( char *p ){ p = (char *) malloc( 100 );}void Test( void ){char *str = NULL;GetMemory( str );strcpy( str, "hello world" );printf("%s\n",str);}2) char p[]改為char*即可,否則是局部變數char *GetMemory( void ){ char p[] = "hello world"; return p; }void Test( void ){ char *str = NULL; str = GetMemory(); printf( str ); }3)free只是把指標指向的內容釋放,指標本身還可以使用(但是內容失效),所以需要置為NULL。類似的,未初始化的指標不能假定其值本身為0或NULL,也可能是任意值甚至可以對其解引用!void Test(void){char *str = (char *) malloc(100);strcpy(str,"hello");printf("%p\n",str);free(str);printf("%p\n",str); if(str != NULL){ strcpy(str,"world"); printf(str);} }
snprintf和strncpy應用範式
strncpy的正確用法:strncpy(dest, src, sizeof(dest));dest[sizeof(dest)-1] = ‘/0’;snprintf的正確用法:snprintf(dest, sizeof(dest), "%s", src);strncpy的問題:size一定要用sizeof(dest)或sizeof(dest)-1,不可誤用sizeof(src).手工填0. 務必要把dest的最後一個位元組手工設定為0. 因為strncpy僅在src的長度小於dest時,對剩餘的位元組填0.效能問題。當dest長度遠大於src時,由於strncpy會對多餘的每個位元組填0,會有很大的效能損失。傳回值。strncpy返回dest,因而無法知道拷貝了多少個位元組。snprintf的問題:不可省略第三個參數"%s",隱患是,如果src中包含%,會引發core。效能問題。當src長度遠大於dest時,由於snprintf要返回src的位元組數,需要掃描src,會有很大的效能損失。傳回值。如果當前buf夠用,返回實際寫入的字元數;如果不夠用,返回將要寫入的字元數。換句話說,傳回值就是傳入的字元數目。總結:snprintf使用比strncpy簡潔。snprintf可以擷取被拷貝的位元組數。二者都有效能問題。如果src遠大於dest,用strncpy;如果dest遠大於src,用snprintf。