I'm playing with pointers and stumbled accross this problem. Like in this question I wanted a generic method signature for function foo, therefore I chose void * input as parameter. For testing reasons I casted the void pointer to an int ** pointer to use it like an 2D array. 
#include <stdio.h>
#include <stdlib.h>
void * foo(void *input, size_t mySize)
{
    for (size_t i = 0; i < mySize; ++i)
    {
        for (size_t j = 0; j < mySize; ++j)
        {
            ((int **)input)[i*mySize][j] = 10*i+j;
        }
    }
    return input;
}
int main(int argc, char const *argv[])
{
    size_t const mySize = 10;
    void * myMemory, * testPtr;
    myMemory = malloc(mySize * mySize * sizeof(int));
    testPtr = foo(myMemory, mySize);
    free(testPtr);
    return 0;
}
Now I thought that using the [] operator would be same as adding an int to the pointer, e.g. that ((int **)input[i][j] would be the same like `((int **)input)+i+j
But accessing the input array in foo segfaults and using gdb shows me
(gdb) p ((int **)input)[i][j]
Cannot access memory at address 0x0
(gdb) p ((int **)input)+i+j
$25 = (int **) 0x405260
so obviously there is a difference. And therefore I'm confused.
 
     
    