How to make gcc warn undefined struct?

1.5k Views Asked by At

I have a struct defined in .h

struct buf_stats {
   // ***
};

then in .c file

struct buf_stats *bs = malloc(sizeof(struct buf_states*)) ;

where buf_states is a typo.

but gcc does not warn me, although I used -Wall

and this bug/typo cost me 3 hours to find out.

How to make gcc warn undefined struct like this?

2

There are 2 best solutions below

5
On BEST ANSWER

In your code

  struct buf_stats *bs = malloc(sizeof(struct buf_states*)) ;

is wrong for many reasons, like

  • You are using an undefined type (as you mentioned)
  • You are allocating way less memory (allocating for a pointer-to-type instead of the type)

But you compiler can't help much in _this_case for this particular type of error, as

  • a pointer to (any) type in a platform has a defined size, for that the structure (i.e. the type of the variable to which it points to) need not be complete (defined). This is the reason we can have self-referencing structures, right?

  • malloc() has no idea about the target variable type. It just reads the argument for the needed size, return a pointer (which is of type void *) to the allocated memory and upon assignment, that gets changed to the target type. It cannot possibly calculate the mismatch in the target size (type) with the allocated memory size.

Most convenient and simplest way to avoid these type of mistakes is, not to use the hard-coded type directly as the operand of sizeof, rather, use the variable reference.

Something like

 struct buf_stats *bs = malloc(sizeof *bs) ; // you can write that as (sizeof (*bs)) also
                                             // sizeof *bs === sizeof (struct buf_stats)

which is equivalent to

 struct buf_stats *bs = malloc(sizeof(struct buf_stats)) ;

but is more robust and less error prone.

Notes:

  1. You don't need the parenthesis if the operand is not a type name.
  2. This statement does not need any modification upon changing the type of target variable bs.
0
On

You can't. Using an expression like struct foo * (a pointer to some struct type) declares that struct as an incomplete type. A size isn't known, but it's not necessary for the size of the pointer.

That said, the code looks wrong, as you need the size of the struct (not the size of the pointer), so with the following code:

struct buf_stats *bs = malloc(sizeof(struct buf_states));

you would get an error.

There's a better way to write such code:

struct buf_stats *bs = malloc(sizeof *bs);

The expression *bs has the correct type for sizeof, even when you later change the type.