变量声明与定义

时间:2013-10-11 20:34:22

标签: c

我正在阅读关于外部人员的一些信息。 现在作者开始提到变量声明和定义。 通过声明,他提到了以下情况:如果声明了一个变量 它的空间没有分配。 现在这让我感到困惑,因为我认为 MOST 的时代 当我在C中使用变量时,我实际上是在定义和声明它们吗? 即,

int x; // definition + declaration(at least the space gets allocated for it)

我认为当你声明变量而不是C时,个案例 定义它是在你使用时:

extern int x; // only declaration, no space allocated

我做对了吗?

3 个答案:

答案 0 :(得分:19)

基本上,是的,你是对的。

extern int x;  // declares x, without defining it

extern int x = 42;  // not frequent, declares AND defines it

int x;  // at block scope, declares and defines x

int x = 42;  // at file scope, declares and defines x

int x;  // at file scope, declares and "tentatively" defines x

如C标准所述,声明指定对象的一组标识符和定义的解释和属性,导致为该对象保留存储 。此外,标识符的定义是该标识符的声明

答案 1 :(得分:0)

这就是我如何看待它在互联网上找到的点点滴滴。我的观点可能是歪斜的 一些基本的例子。

int x;
// The type specifer is int
// Declarator x(identifier) defines an object of the type int
// Declares and defines

int x = 9;
// Inatializer = 9 provides the initial value
// Inatializes 

C11标准6.7状态  标识符的定义是该标识符的声明:

- 对于一个对象,导致为该对象保留存储;

- 对于一个函数,包括函数体;

int main() // Declares. Main does not have a body and no storage is reserved

int main(){ return 0; } 
  // Declares and defines. Declarator main defines                  
  // an object of the type int only if the body is included.

以下示例

int test(); Will not compile. undefined reference to main
int main(){} Will compile and output memory address.

// int test();
int main(void)   
{
    // printf("test %p \n", &test); will not compile 
    printf("main %p \n",&main);
    int (*ptr)() = main;

    printf("main %p \n",&main);

 return 0;
}

extern int a;  // Declares only.
extern int main(); //Declares only.

extern int a = 9;  // Declares and defines.
extern int main(){}; //Declares and  defines.                                     .

答案 2 :(得分:0)

在声明期间,内存位置由该变量的名称保留,但在定义期间,内存空间也分配给该变量。