zoukankan      html  css  js  c++  java
  • 如果函数的参数是一个指针,不要指望用该指针去申请动态内存

    如果函数的参数是一个指针,不要指望用该指针去申请动态内存。
    Test函数的语句GetMemory(str, 200)并没有使str 获得期望的内存,str 依旧是NULL,为什么?

    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");  // 运行错误
    }

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

    如果非得要用指针参数去申请内存,那么应该改用“指向指针的指针”!

    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);
    }


    由于“指向指针的指针”这个概念不容易理解,我们可以用函数返回值来传递动态内存.

    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,它返回的始终是同一个“只读”的内存块。

  • 相关阅读:
    Using NAT between the vCenter Server system and ESXi/ESX hosts (1010652)
    Zabbix监控windows进程连接数
    CentOS yum [Errno 14] problem making ssl connection CentOs
    httpSecurity
    Nginx
    线程基础知识
    SqlServler
    关于数据库索引
    Https的底层原理
    Synchronized
  • 原文地址:https://www.cnblogs.com/youxin/p/3295776.html
Copyright © 2011-2022 走看看