int main(){
char *Allocation;
Allocation = new char[8]; //here is out first allocation;
delete[] Allocation; //after while we delete it;
Allocation = new char[16];//then we allocate some chunk of memory again to our pointer;
delete[] Allocation; //then finally we delete our second allocation;
}
Is this valid in C++? Does the first allocation affect the second allocation? Can I allocate a new memory block to a deleted pointer?
tl;dr Yes, that's perfectly fine.
You have to distinguish between the actual value in memory and the value of the pointer variable that points to this actual value in memory.
new
provides the actual value in memory (which is not bound to a variable) and returns its address. This returned address is then set by assignment as the value of the variableAllocation
.With
delete
you remove the actual value from memory. But this usually does not affect the value of the variableAllocation
. The address is therefore retained, but must no longer be dereferenced. It is undefined what happens if you do this anyway.Therefore it is recommended to assign a
nullptr
(null pointer) toAllocation
right after callingdelete
. Some implementations do assign anullptr
implicitly afterdelete
if the program is compiled in debug mode. Therefore the usually above.A
nullptr
is just the address with the value0
. An access on this address is always invalid, so its the common value to imply that a pointer doesn't point to a valid location.So you can assign a different address as value to the variable
Allocation
at any time. The memory managed withnew
anddelete
exists independent of variables. These are only used for access.By the way, you should initialize your variable
Allocation
with either a call tonew
or with anullptr
. Otherwise your variableAllocation
may contain some random valueLive code at Compiler Explorer
Output:
Note that C++ distinguishes between initialization and assignment: