Initializer element is not constant in C

Unfortunately, in C const variables are not really const.

Below are the extracts from the c99 standard.

6.7.8 Initialization

  1. All the expressions in an initializer for an object that has static storage duration shall be constant expressions or string literals.

The constants are defined as follows:

6.4.4 Constants

Syntax

constant:

integer-constant       (e.g. 4, 42L)
floating-constant      (e.g. 0.345, .7)
enumeration-constant   (stuff in enums)
character-constant     (e.g. 'c', '\0')

The standard defines constant expressions as follows:

6.6 Constant expressions

(7) More latitude is permitted for constant expressions in initializers. Such a constant expression shall be, or evaluate to, one of the following:

— an arithmetic constant expression,

— a null pointer constant,

— an address constant, or

— an address constant for an object type plus or minus an integer constant expression.

(8) An arithmetic constant expression shall have an arithmetic type and shall only have operands that are integer constants, floating constants, enumeration constants, character constants, and sizeof expressions. Cast operators in an arithmetic constant expression shall only convert arithmetic types to arithmetic types, except as part of an operand to a sizeof operator whose result is an integer constant.

Thus, c and a are not constant expressions and cannot be used as initializers in your case.


If you are declaring endX as a global variable the error makes sense.

The reason is that global variables are initialized in compiling time, and you are trying to initialize endX as an operation that must be done in execution time.


const expressions must be a compile time constant in C unlike in C++ therefore c+a can't be used as a constant. The usual way to handle this problem in C is to use the preprocessor instead:

#define A 50
#define C 100
#define D 100
int endX = C + A;
int endY = D;
int startX, startY, b;

Yeah, you can't initialize something to a variable. The compiler does the initialization and at compile time it doesn't know the value of c+a;

The int x = 1; type initialization is fine, the compiler just puts a 1 at the address of x in the object code.

To initialize something to c+a, you want to do it at runtime, in the startup code in c or constructor in C++.

Tags:

C