C语言 在将指针传递给函数之前,我必须始终初始化它



在将main()中定义的指针传递给函数之前,我必须初始化它,或者我可以将其初始化为函数吗?还是一样?我可以用NULL初始化它吗?

例如,我写了一些代码。没关系?

[1] int *example的初始化是在函数中。

#include <stdio.h>
#define DIM (10)
void function (int *);
int main ()
{
    int *example;
    function (example);
    /* other code */
    free(example);
    return 0;
}
void function (int *example)
{
    /* INITIALIZATION */
    example = malloc (DIM * sizeof(int));
    /* other code */
    return;
}

[2] int *example的初始化是主要的。

#include <stdio.h>
#define DIM (10)
void function (int *);
int main ()
{
    int *example;
    /* INITIALIZATION */    
    example = malloc (DIM * sizeof(int));
    function (example);
    /* other code */
    free(example);
    return 0;
}
void function (int *example)
{
    /* other code */
    return;
}

[3] 初始化在带有NULLmain()中。

#include <stdio.h>
void function (int *);
int main ()
{
    /* INITIALIZATION */
    int *example = NULL;
    function (example);
    /* other code */
    free(example);
    return 0;
}
void function (int *example)
{
    /* other code */
    return;
}

[4] 初始化是在带有 NULL 的函数中。

#include <stdio.h>
void function (int *);
int main ()
{
    int *example;
    function (example);
    /* other code */
    free(example);
    return 0;
}
void function (int *example)
{
    example = NULL;
    /* other code */
    return;
}

[5] 与 [1] 相同,但带有example = realloc (example, DIM * sizeof(int));

[6] 与 [2] 相同,但有example = realloc (example, DIM * sizeof(int));

您应该了解有关函数参数如何工作的更多信息。通常在 C 中,参数是按值传递的(数组和函数的处理方式不同,但首先要做的事)。因此,在 [1] 中,您尝试释放未初始化的指针,因为函数中的赋值对 main 中的变量示例没有任何作用。[2] 很好。在 [3] 中,您根本不分配内存,因此对示例指向的任何访问都将无效。[5] 和 [6] 不好,因为您将未初始化的值传递给 realloc。

相关内容

  • 没有找到相关文章

最新更新