[Solved] Resizing array, does this code influence it badly in any way?


int array[size] declares an array of size elements.
Outside of a declaration, array[size] access element size in array. It does not resize the array. If you do something like that without changing the value of size, it actually tries to access the element after the last element in the array; not a good idea. In this case, since you changed size to be one less than the original, it accesses the last element of the array, which is safe but does not do what you want.

You can not resize an array in C/C++ that is declared on the stack (one allocated on the heap with malloc could be reallocated to a different size, but you’d have trouble copying it as the newly allocated array of the new size is possibly at a completely different memory location; you’d have to save the old one, allocate a new one of the new size, copy the elements you want, and then free the old one.)

If you want something resizeable, you are in C++; use a container (vector, for example, but pick the one that most suits your needs).

And….I just saw arnav-borborah’s comment; don’t know how I missed that. You can’t even declare the array like that, as size is not a compile time constant.

3

solved Resizing array, does this code influence it badly in any way?