前兩天看了一個關於malloc的面試題,題目是這樣的: 面試
void GetMemory(char *p , int nlen) { p = (char*)malloc(nlen); } void main() { char* str=NULL; GetMemory(str , 11); strcpy(str, "hello world"); printf(str); }
對於這個問題,我第一眼看到的是,字符串長度的問題和malloc出來的內存塊沒有free的問題。字符串」hello world」在結尾包含一個’\0’ ,因此長度爲12,而malloc出來的內存塊必需要free掉,否則就會出現野指針。這兩兩個問題比較好看出來。 函數
可是這都不是問題的關鍵,問題的關鍵在於函數的傳值,咱們要改變實參的值,傳入的必須是引用類型和指針類型。 指針
str也確實是一個指針,可是當咱們須要改變這個指針的值的時候,咱們必須傳入str的地址即&str;因此GetMemory的正確寫法應該是: code
void GetMemory(char **p , int nlen) { *p = (char*)malloc(nlen); }
完整程序: 內存
#include"stdio.h" #include"string.h" #include"stdlib.h" void GetMemory(char **p , int nlen) { *p = (char*)malloc(nlen); } Void main() { char* str = NULL; GetMemory(&str , 128); strcpy(str , "hello world"); printf(str); free(str); }