图文C语言指针

来源:互联网 发布:linux 运维自动化 web 编辑:程序博客网 时间:2024/05/24 06:13

如下图:

指针可以拿到内存地址然后随意修改!!!(除const外)









//---------------------------------------------------------------------------------------------------------------------------------------------------//

指针地址的使用场景:

void GetMemory2(char **p, int num)

{

 *p = (char *)malloc(sizeof(char) * num);

}

void Test2(void)

{

 char *str = NULL;

 GetMemory2(&str, 100);//注意参数是 &str,而不是str(取指针地址)

 strcpy(str, "hello");

 cout<< str << endl;

 free(str);

}

//---------------------------------------------------------------------------------------------------------------------------------------------------//

void GetMemory(char *p, int num)

{

 p = (char *)malloc(sizeof(char) * num);

}

void Test(void)

{

 char *str = NULL;

 GetMemory(str, 100); // str仍然为 NULL

 strcpy(str, "hello"); //运行错误!!!!

}

编译器总是要为函数的每个参数制作临时副本,指针参数p的副本是 _p,编译器使 _p = p。如果函数体内的程序修改了_p的内容,就导致参数p的内容作相应的修改。这就是指针可以用作输出参数的原因。在本例中,_p申请了新的内存,只是把_p所指的内存地址改变了,但是p丝毫未变。所以函数GetMemory并不能输出任何东西。事实上,每执行一次GetMemory就会泄露一块内存,因为没有用free释放内存

//----------------------------------------------------------------------------------------------------//

char *GetMemory3(int num)

{

 char *p = (char *)malloc(sizeof(char) * num);

 return p;

}

void Test3(void)

{

 char *str = NULL;

 str = GetMemory3(100);

 strcpy(str, "hello");

 cout<< str << endl;

 free(str);

}

用函数返回值来传递动态内存这种方法虽然好用,但是常常有人把return语句用错了。这里强调不要用return语句返回指向“栈内存”的指针,因为该内存在函数结束时自动消亡,见示例

char *GetString(void)

{

 char p[] = "hello world";

 return p; //编译器将提出警告

}

void Test4(void)

{

 char *str = NULL;

 str = GetString();// str的内容是垃圾

 cout<< str << endl;

}

用调试器逐步跟踪Test4,发现执行str = GetString语句后str不再是NULL指针,但是str的内容不是“hello world”而是垃圾。如果把上述示例改写成如下示例,会怎么样?


char *GetString2(void)

{

 char *p = "hello world";

 return p;

}

void Test5(void)

{

 char *str = NULL;

 str = GetString2();

 cout<< str << endl;

}

函数Test5运行虽然不会出错,但是函数GetString2的设计概念却是错误的。因为GetString2内的“hello world”是常量字符串,位于静态存储区,它在程序生命期内恒定不变。无论什么时候调用GetString2,它返回的始终是同一个“只读”的内存块。
原创粉丝点击