I tried these three versions of a small program and I got some interesting results. Can anyone please help me understand compiler behaviour in each case.
version 1.0
int A;
int A;
int A;
int main ()
{
return 0;
}
Result: Got compiled with one copy of A in BSS.
Version 2.0
int main ()
{
int A;
int A;
int A;
return 0;
}
Result: Failed to compile with complaining for re-declaration.
Version 3.0
int A;
int main()
{
static int A;
return0;
}
result: Compiled with two copy of A in BSS. one is A and another a.<some numeric tag>.
In your first example,
int A;
is a tentative definition: a declaration of an identifier at file scope without an initializer and either without a storage class or astatic
storage class. You can have multiple ones, and they will all refer to the same variable:The standard says: (ISO/IEC 9899:1999 6.9.2)
In your second example,
A
is not of file scope. It's a local variable and it's not a tentative definition, so you can only have one.In your third example, the
A
at file scope is a different variable than theA
inside main(), as they have different scopes. Just because the secondA
is static doesn't change its scope; the identifier is still only visible from inside main(). This is a case of variable shadowing, where a variable in one scope has the same identifier as a variable in an enclosing scope (in this case the main() scope vs the file scope.) The fact the theA
at file scope happens to be a tentative definition does not affect theA
inside main().