C6268

Note

This article applies to Visual Studio 2015. If you're looking for the latest Visual Studio documentation, see Visual Studio documentation. We recommend upgrading to the latest version of Visual Studio. Download it here

warning C6268: Incorrect order of operations: (<TYPE1>)(<TYPE2>)x + y. Possible missing parentheses in (<TYPE1>)((<TYPE2>)x + y)

This warning indicates that a complex cast expression might involve a precedence problem when performing pointer arithmetic. Because casts group more closely than binary operators, the result might not be what the programmer intended. In some cases, this defect causes incorrect behavior or a program crash.

In an expression such as:

(char *)p + offset

the offset is interpreted as an offset in characters; however, an expression such as:

(int *)(char *)p + offset

is equivalent to:

((int *)(char *)p) + offset

and so the offset is interpreted as an offset in integers. In other words, it is equivalent to:

(int *)((char *)p + (offset * sizeof(int)))

which is not likely to be what the programmer intended.

Depending on the relative sizes of the two types, this can lead to a buffer overrun.

Example

The following code generates this warning:

void f(int *p, int offset_in_bytes)  
{  
    int *ptr;  
    ptr = (int *)(char *)p + offset_in_bytes;  
    // code ...  
}  
  

To correct this warning, use the following code:

void f(int *p, int offset_in_bytes)  
{  
    int *ptr;  
    ptr = (int *)((char *)p + offset_in_bytes);  
    // code ...  
}