malloc()问题

malloc()的问题:

#include 
  #include 
  void getmemory(char *p)
  {
    p=(char *) malloc(100);
    strcpy(p,"hello world");
  }
  int main( )
  {
    char *str=NULL;
    getmemory(str);
    printf("%s/n",str);
    free(str);
    return 0;
   }
程序崩溃,getmemory中的malloc 不能返回动态内存, free()对str操作很危险。
这里malloc 有用到动态分配内存吗??有点不解,请高人指点!
 
 
//你的代码传str的值进去带不出来,如果对指针进行赋值一定要用更高一级的指针,否则就要返回值
//malloc()分配了新的内存给p,但是你原来函数中的p是复制了str的值进行操作,函数执行完之后p就找不到了,你的str并没有得到p的值,同时你把p丢了,也没有办法回收分配给p的内存。

#include
#include
#include

void getmemory(char **p)
{
    *p=(char *) malloc(100);
    strcpy(*p,"hello world");
}
int main( )
{
    char *str=NULL;
getmemory(&str);
    printf("%s\n",str);
    free(str);
    return 0;
}

或者:#include
#include
#include

char* getmemory(char *p)
{
    p=(char *) malloc(100);
    strcpy(p,"hello world");
    return p;
}
int main( )
{
    char *str=NULL;
    str=getmemory(str);
    printf("%s\n",str);
    free(str);
    return 0;
}

你可能感兴趣的:(C学习笔记)