
please wait
|
|
malloc()
officially supports zero-size allocations. Calling malloc(0)
will either return a NULL pointer or a special "unique" pointer value. In both cases, it is guaranteed that the returned pointer can safely be passed to free()
.new T[n]
actually allocates a memory block that is slightly larger than n times sizeof(T)
. That is because it allocates a little extra space where n (i.e. the length of the array) is stored. The pointer returned by new T[n]
is pointing to the first element of the array, not to the beginning of the allocated memory block – because the value n is "secretly" stored right in front of the first element (i.e. at the very beginning of the memory block). It is done this way, because the delete[]
operator later needs a way to figure out the actual length of the array, so that it can iterate over the array and call the destructor of each element!delete
and delete[]
operators can not be used interchanagbly: The former simply destroys a sinlge object; the latter destroys and array and thus expectecs/requires the length of the array to be stored in front of the given given pointer.new T[0]
, it probably still allocates the extra space for n, which would hold a zero in this case, so that delete[]
can work correctly.In order to call the destructors of the array elements when delete[] is called, the implementation must know the size of array to which p points at deletion time. Bearing in mind that p is a pointer, and carries no array size information in its type, this information would not in general be available unless the implementation somehow stores it when new[] is invoked.The most common approach is to allocate a small amount of extra memory (a header) before the start of the array and store the size in it. When invoking delete[] p , the implementation then just needs to walk back a fixed amount from the passed-in pointer to read the size.– https://codeql.github.com/codeql-query-help/cpp/cpp-new-array-delete-mismatch/ |
When the value of the expression is zero, the allocation function is called to allocate an array with no elements. |
The intent is to have operator new() implementable by calling std::malloc() or std::calloc(), so the rules are substantially the same. C++ differs from C in requiring a zero request to return a non-null pointer. |