Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Dereferencing type-punned pointer will break strict-aliasing rules

I used the following piece of code to read data from files as part of a larger program.

double data_read(FILE *stream,int code) {         char data[8];         switch(code) {         case 0x08:             return (unsigned char)fgetc(stream);         case 0x09:             return (signed char)fgetc(stream);         case 0x0b:             data[1] = fgetc(stream);             data[0] = fgetc(stream);             return *(short*)data;         case 0x0c:             for(int i=3;i>=0;i--)                 data[i] = fgetc(stream);             return *(int*)data;         case 0x0d:             for(int i=3;i>=0;i--)                 data[i] = fgetc(stream);             return *(float*)data;         case 0x0e:             for(int i=7;i>=0;i--)                 data[i] = fgetc(stream);             return *(double*)data;         }         die("data read failed");         return 1;     } 

Now I am told to use -O2 and I get following gcc warning: warning: dereferencing type-punned pointer will break strict-aliasing rules

Googleing I found two orthogonal answers:

vs

  • So basically if you have an int* and a float* they are not allowed to point to the same memory location. If your code does not respect this, then the compiler's optimizer will most likely break your code.

In the end I don't want to ignore the warnings. What would you recommend?

[update] I substituted the toy example with the real function.

like image 936
Framester Avatar asked Jul 14 '10 12:07

Framester


1 Answers

The problem occurs because you access a char-array through a double*:

char data[8]; ... return *(double*)data; 

But gcc assumes that your program will never access variables though pointers of different type. This assumption is called strict-aliasing and allows the compiler to make some optimizations:

If the compiler knows that your *(double*) can in no way overlap with data[], it's allowed to all sorts of things like reordering your code into:

return *(double*)data; for(int i=7;i>=0;i--)     data[i] = fgetc(stream); 

The loop is most likely optimized away and you end up with just:

return *(double*)data; 

Which leaves your data[] uninitialized. In this particular case the compiler might be able to see that your pointers overlap, but if you had declared it char* data, it could have given bugs.

But, the strict-aliasing rule says that a char* and void* can point at any type. So you can rewrite it into:

double data; ... *(((char*)&data) + i) = fgetc(stream); ... return data; 

Strict aliasing warnings are really important to understand or fix. They cause the kinds of bugs that are impossible to reproduce in-house because they occur only on one particular compiler on one particular operating system on one particular machine and only on full-moon and once a year, etc.

like image 187
Lasse Reinhold Avatar answered Oct 11 '22 10:10

Lasse Reinhold