指针和内存的判断

问题一:
void GetMemory(char *p)
{
 p=(char*)malloc(100);
}

void Test(void)
{
 char *str = NULL;
 //char *str = (char*)malloc(100); //上面一句话改成这句就对了
 GetMemory(str);
 strcpy(str,"helloworld");
 printf(str);
 free(str);
}

int main()
{
 Test();
 return 0;
}

//////////////////////////////////////////////////////////////////////////
//  请问运行Test函数会有什么样的结果?
//  答:程序崩溃。
//  因为GetMemory并不能传递动态内存,Test函数中的str一直都是NULL。
//  strcpy(str,"helloworld");将使程序崩溃。
//  p作为一个参数,会产生一个临时副本_p,使_p= p;(因为是值传递 不是引用传递)
//  在函数GetMemory中使用malloc,只是使_p改变而已,_p指向了malloc分配的内存,
//  但p的值没有改变,仍然是NULL;
//////////////////////////////////////////////////////////////////////////

问题二:
char *GetMemory(void)
{
 char *p = new char[100]; //在函数中创建一块内存并且返回出来
 p = "helloworld/n";
 //char p[]="helloworld"; //写成这样不行,因为见下:
 return p;
}
void Test(void)
{
 char *str = NULL;
 str = GetMemory();
 printf(str);
}

main()
{
 Test();
}


//////////////////////////////////////////////////////////////////////////
//  请问运行Test函数会有什么样的结果?
//  答:可能是乱码。
//  因为GetMemory返回的是指向“栈内存”的指针,
//  该指针的地址不是NULL,但其原先的内容已经被清除,新内容不可知。
//  p作为函数堆栈分配,指向常量数据区"helloworld",函数结束后,p所指向内存被释放,新内存不可以预知。
//////////////////////////////////////////////////////////////////////////


问题二如果不嫌麻烦,也可以这样写,只要返回出来就可以了:
char *GetMemory(char *p)
{
 p = new char[100]; //在函数中创建一块内存并且返回出来
 p = "helloworld/n";
 //char p[]="helloworld"; //写成这样不行,因为见下:
 return p;
}
void Test(void)
{
 char *str = NULL;
 char *p = NULL;
 p = GetMemory(str);
 printf(p);
 free(p);
        p = NULL;
}

main()
{
 Test();
}

 

指向指针的指针小例子:


void GetMemory(char **p, int num)
{
 *p = (char*)malloc(num);
}
void Test(void)
{
 char *str = NULL;
 GetMemory(&str, 100);
 strcpy(str, "hello/n");
 printf(str);
 free(str);  //注意要delete
 str = NULL; //同时要设定str为NULL
}

main()
{
 Test();
}

 

//整形指针小例子:

 

void change(int **a)
{
 *a = new int[2];
 *(*a+1) = 100;
}

int main()
{
 int *b = NULL;
 change(&b);
 cout<<*(b+1)<<endl;
 delete []b;
 b = NULL;
 return 0;
}


---------------------
作者:lovemysea
来源:CSDN
原文:https://blog.csdn.net/lovemysea/article/details/5483161
版权声明:本文为博主原创文章,转载请附上博文链接!

posted @ 2019-01-08 13:23  lemaden  阅读(190)  评论(0编辑  收藏  举报