
The C programming language provides several ways to allocate memory, such as std::malloc()
, std::calloc()
, and std::realloc()
, which can be used by a C++ program. However, it the C programming language defines only a single way to free the allocated memory: std::free()
. See MEM31-C. Free dynamically allocated memory when no longer needed and MEM34-C. Only free memory allocated dynamically for rules specifically regarding C allocation and deallocation requirements.
The C++ programming language adds additional ways to allocate memory, such as the operators new
, new[]
, and placement new
, and allocator objects. Unlike C, C++ provides multiple ways to free dynamically allocated memory, such as the operators delete
, delete[]()
, and deallocation functions on allocator objects.
Do not call a deallocation function on anything other than nullptr
, or a pointer returned by the corresponding allocation function described by :the following.
Allocator | Deallocator |
---|---|
global operator new()/new | global operator delete ()/delete |
global operator new[]()/new[] | global operator delete[]()/delete[] |
class-specific operator new()/new | class-specific operator delete ()/delete |
class-specific operator new[]()/new[] | class-specific operator delete[]()/delete[] |
placement operator new () | N/A |
allocator<T>::allocate() |
|
std::malloc() , std::calloc() , std::realloc() | std::free() |
std::get_temporary_buffer() | std::return_temporary_buffer() |
Page properties | ||
---|---|---|
| ||
While the wording for |
...
The C++ Standard, [expr.delete], paragraph 2 [ISO/IEC 14882-2014], states in part, states the following:
In the first alternative (delete object), the value of the operand of
delete
may be a null pointer value, a pointer to a non-array object created by a previous new-expression, or a pointer to a subobject (1.8) representing a base class of such an object (Clause 10). If not, the behavior is undefined. In the second alternative (delete array), the value of the operand ofdelete
may be a null pointer value or a pointer value that resulted from a previous array new-expression. If not, the behavior is undefined.
Deallocating a pointer that is not allocated dynamically (including pointers obtained by non-dynamic pointers returned from calls to placement new()
) is undefined behavior because the pointer value was not obtained by an allocation function. Deallocating a pointer that has already been passed to a deallocation function is undefined behavior because the pointer value no longer points to memory that has been dynamically allocated.
Note that when When an operator such as new
is called, it results in a call to an overloadable operator of the same name, such as operator new()
. These overloadable functions can be called directly but carry the same restrictions as their operator counterparts. That is, calling operator delete()
and passing a pointer parameter has the same constraints as calling the delete
operator on that pointer. Further note that , the overloads are subject to scope resolution, so it is possible (but not permissible) to call a class-specific operator to allocate an object but a global operator to deallocate the object.
See MEM53-CPP. Explicitly initiate and terminate object lifetime construct and destruct objects when manually managing object lifetime for information on lifetime management of objects when using memory management functions other than the new
and delete
operators.
...
In this noncompliant code example, the local variable s1
space
is passed as the expression to the placement new
operator. The resulting pointer of that call is then passed to ::operator delete()
, resulting in undefined behavior due to ::operator delete()
attempting to free memory that was not returned by ::operator new()
.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <iostream> struct S { S() { std::cout << "S::S()" << std::endl; } ~S() { std::cout << "S::~S()" << std::endl; } }; void f() { alignas(struct S s1) char space[sizeof(struct S)]; S *s2s1 = new (&s1space) S; // ... delete s2s1; } |
Compliant Solution (placement new()
)
This compliant solution removes the call to ::operator delete()
, allowing s1
to be destroyed as a result of its normal object lifetime termination:instead explicitly calling s1
's destructor. This is one of the few times when explicitly invoking a destructor is warranted.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <iostream> struct S { S() { std::cout << "S::S()" << std::endl; } ~S() { std::cout << "S::~S()" << std::endl; } }; void f() { alignas(struct S s1) char space[sizeof(struct S)]; S *s2s1 = new (&s1space) S; // ... s1->~S(); } |
Noncompliant Code Example (Uninitialized delete
)
In this noncompliant code example, two allocations are attempted within the same try
block, and if either fails, the catch
handler attempts to free resources that have been allocated. However, because the pointer variables have not been initialized to a known value, calling delete
a failure to allocate memory for i1
may result in passing ::operator delete()
a value that (in i2
) that was not previously returned by a call to ::operator new()
, resulting in undefined behavior.
...
This compliant solution initializes both pointer values to nullptr
, which is a valid value to pass to ::operator delete()
:.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <new> void f() { int *i1 = nullptr, *i2 = nullptr; try { i1 = new int; i2 = new int; } catch (std::bad_alloc &) { delete i1; delete i2; } } |
...
In this noncompliant code example, the class C
is given ownership of a P *
, which is subsequently deleted by the class destructor. The C++ Standard, [class.copy], paragraph 7 , states [ISO/IEC 14882-2014]:, states the following:
If the class definition does not explicitly declare a copy constructor, one is declared implicitly. If the class definition declares a move constructor or move assignment operator, the implicitly declared copy constructor is defined as deleted; otherwise, it is defined as defaulted (8.4). The latter case is deprecated if the class has a user-declared copy assignment operator or a user-declared destructor.
Despite the presence of a user-declared destructor, C
will have an implicitly defaulted copy constructor defined for it, and this defaulted copy constructor will copy the pointer value stored in p
, resulting in a double-free: the first free happens when g()
exits , and the second free happens when fh()
exits.
Code Block | ||||
---|---|---|---|---|
| ||||
struct P {}; class C { P *p; public: C(P *p) : p(p) {} ~C() { delete p; } void f() {} }; void g(C c) { c.f(); } void fh() { P *p = new P; C c(p); g(c); } |
...
In this compliant solution, the copy constructor and copy assignment operator for C
are explicitly deleted. This deletion would result in an ill-formed program with the definition of g()
from the preceding noncompliant code example due to use of the deleted copy constructor. Consequently, g()
was modified to accept its parameter by reference, removing the double-free.
Code Block | ||||
---|---|---|---|---|
| ||||
struct P {}; class C { P *p; public: C(P *p) : p(p) {} C(const C&) = delete; ~C() { delete p; } void operator=(const C&) = delete; void f() {} }; void g(C &c) { c.f(); } void fh() { P *p = new P; C c(p); g(c); } |
...
In the following noncompliant code example, an array is allocated with array new[]
but is deallocated with a scalar delete
call instead of an array delete[]
call, resulting in undefined behavior:.
Code Block | ||||
---|---|---|---|---|
| ||||
void f() { int *array = new int[10]; // ... delete array; } |
Compliant Solution (array new[]
)
In the compliant solution, the code is fixed by replacing the call to delete
with a call to delete []
to adhere to the correct pairing of memory allocation and deallocation functions
...
.
Code Block | ||||
---|---|---|---|---|
| ||||
void f() { int *array = new int[10]; // ... delete[] array; } |
...
Code Block | ||||
---|---|---|---|---|
| ||||
#include <cstdlib> void f() { int *i = static_cast<int *>(std::malloc(sizeof(int))); // ... delete i; } |
Additionally, this code violates MEM08-CPP. Use new and delete rather than raw memory allocation and deallocation. However, it This code does not violate MEM53-CPP. Explicitly initiate and terminate object lifetime construct and destruct objects when manually managing object lifetime because it complies with the MEM53-CPP-EX1 exception.
...
In this compliant solution, the pointer allocated by std::malloc()
is deallocated by a call to std::free()
instead of delete
:.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <cstdlib> void f() { int *i = static_cast<int *>(std::malloc(sizeof(int))); // ... std::free(i); } |
...
In this noncompliant code example, std::free()
is called to deallocate memory that was allocated by new
. A common side effect of the undefined behavior caused by using the incorrect deallocation function is that destructors will not be called for the object being deallocated by std::free().
Code Block | ||||
---|---|---|---|---|
| ||||
#include <cstdlib> struct S { ~S(); }; void f() { S *s = new S(); // ... std::free(s); } |
Additionally, this code violates MEM53-CPP. Explicitly initiate and terminate object lifetime construct and destruct objects when manually managing object lifetime.
Compliant Solution (new
)
In this compliant solution, the pointer allocated by new
is deallocated by calling delete
instead of std::free()
:.
Code Block | ||||
---|---|---|---|---|
| ||||
struct S { ~S(); }; void f() { S *s = new S(); // ... delete s; } |
...
In this noncompliant code example, the the global new
operator is overridden by a class-specific implementation of operator new()
. When new
is called, the class-specific override is selected, and so S::operator new()
is called. However, because the object is destroyed with a scoped ::delete
operator, the global operator delete()
function is called instead of the class-specific implementation S::operator delete()
, resulting in undefined behavior.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <new><cstdlib> #include <cstdlib><new> struct S { static void *operator new(std::size_t size) noexcept(true) { return std::malloc(size); } static void operator delete(void *ptr) noexcept(true) { std::free(ptr); } }; void f() { S *s = new S; ::delete s; } |
...
In this compliant solution, the scoped ::delete
call is replaced by a nonscoped delete
call, resulting in S::operator delete()
being called:.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <new><cstdlib> #include <cstdlib><new> struct S { static void *operator new(std::size_t size) noexcept(true) { return std::malloc(size); } static void operator delete(void *ptr) noexcept(true) { std::free(ptr); } }; void f() { S *s = new S; delete s; } |
Risk Assessment
Passing a pointer value to a deallocation function that was not previously obtained by the matching allocation function results in undefined behavior, which can lead to exploitable vulnerabilities.
Rule | Severity | Likelihood | Remediation Cost | Priority | Level |
---|---|---|---|---|---|
MEM51-CPP | High | Likely | Medium | P18 | L1 |
Automated Detection
Noncompliant Code Example (std::unique_ptr
)
In this noncompliant code example, a std::unique_ptr
is declared to hold a pointer to an object, but is direct-initialized with an array of objects. When the std::unique_ptr
is destroyed, its default deleter calls delete
instead of delete[]
, resulting in undefined behavior.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <memory>
struct S {};
void f() {
std::unique_ptr<S> s{new S[10]};
} |
Compliant Solution (std::unique_ptr
)
In this compliant solution, the std::unique_ptr
is declared to hold an array of objects instead of a pointer to an object. Additionally, std::make_unique()
is used to initialize the smart pointer.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <memory>
struct S {};
void f() {
std::unique_ptr<S[]> s = std::make_unique<S[]>(10);
} |
Use of std::make_unique()
instead of direct initialization will emit a diagnostic if the resulting std::unique_ptr
is not of the correct type. Had it been used in the noncompliant code example, the result would have been an ill-formed program instead of undefined behavior. It is best to use std::make_unique()
instead of manual initialization by other means.
Noncompliant Code Example (std::shared_ptr
)
In this noncompliant code example, a std::shared_ptr
is declared to hold a pointer to an object, but is direct-initialized with an array of objects. As with std::unique_ptr
, when the std::shared_ptr
is destroyed, its default deleter calls delete
instead of delete[]
, resulting in undefined behavior.
Code Block | ||||
---|---|---|---|---|
| ||||
#include <memory>
struct S {};
void f() {
std::shared_ptr<S> s{new S[10]};
} |
Compliant Solution (std::shared_ptr
)
Unlike the compliant solution for std::unique_ptr
, where std::make_unique()
is called to create a unique pointer to an array, it is ill-formed to call std::make_shared()
with an array type. Instead, this compliant solution manually specifies a custom deleter for the shared pointer type, ensuring that the underlying array is properly deleted.
Page properties | ||
---|---|---|
| ||
This NCCE/CS pair needs to be re-written for C++17, where std::make_shared and std::shared_ptr got smarter about array types. |
Code Block | ||||
---|---|---|---|---|
| ||||
#include <memory>
struct S {};
void f() {
std::shared_ptr<S> s{new S[10], [](const S *ptr) { delete [] ptr; }};
} |
Risk Assessment
Passing a pointer value to a deallocation function that was not previously obtained by the matching allocation function results in undefined behavior, which can lead to exploitable vulnerabilities.
Rule | Severity | Likelihood | Remediation Cost | Priority | Level |
---|---|---|---|---|---|
MEM51-CPP | High | Likely | Medium | P18 | L1 |
Automated Detection
Tool | Version | Checker | Description | ||||||
---|---|---|---|---|---|---|---|---|---|
Astrée |
| invalid_dynamic_memory_allocation dangling_pointer_use | |||||||
Axivion Bauhaus Suite |
| CertC++-MEM51 | |||||||
Clang |
| clang-analyzer-cplusplus.NewDeleteLeaks -Wmismatched-new-delete | Checked by clang-tidy , but does not catch all violations of this rule | ||||||
CodeSonar |
| ALLOC.DF | Double free Type mismatch Leak | ||||||
Helix QAC |
| C++2110, C++2111, C++2112, C++2113, C++2118, C++3337, C++3339, C++4262, C++4263, C++4264 | |||||||
Klocwork |
| CL.FFM.ASSIGN CL.FFM.COPY CL.FMM CL.SHALLOW.ASSIGN CL.SHALLOW.COPY FMM.MIGHT FMM.MUST FNH.MIGHT FNH.MUST FUM.GEN.MIGHT FUM.GEN.MUST UNINIT.CTOR.MIGHT UNINIT.CTOR.MUST UNINIT.HEAP.MIGHT UNINIT.HEAP.MUST | |||||||
LDRA tool suite |
| 232 S, 236 S, 239 S, 407 S, 469 S, 470 S, 483 S, 484 S, 485 S, 64 D, 112 D | Partially implemented | ||||||
Parasoft C/C++test |
| CERT_CPP-MEM51-a | Use the same form in corresponding calls to new/malloc and delete/free | ||||||
Parasoft Insure++ | Runtime detection | ||||||||
Polyspace Bug Finder |
| CERT C++: MEM51-CPP | Checks for:
Rule partially covered. | ||||||
PVS-Studio |
| V515, V554, V611, V701, V748, V773, V1066 | |||||||
SonarQube C/C++ Plugin |
| S1232 |
Tool
Version
Checker
Description
Related Vulnerabilities
Search for vulnerabilities resulting from the violation of this rule on the CERT website.
Related Guidelines
SEI CERT C++ Coding Standard |
MEM08-CPP. Use new and delete rather than raw memory allocation and deallocation
MEM13-CPP. Use smart pointers instead of raw pointers for resource management
SEI CERT C |
Coding Standard | MEM31-C. Free dynamically allocated memory when no longer needed |
MITRE CWE | CWE 590, Free of Memory Not on the Heap |
Bibliography
[Dowd 2007] | "Attacking delete and delete [] in C++" | ||
[Henricson 1997] | Rule 8.1, "delete should only be used with new" Rule 8.2, " delete [] should only be used with new []" | ||
[ISO/IEC 14882-2014] | Subclause 5.3.5, "Delete" | ||
[Meyers 2005] | Item 16, "Use the Same Form in Corresponding Uses of new and delete " | ||
[Seacord |
2013] | Chapter 4, "Dynamic Memory Management" | ||
[Viega |
2005] | "Doubly Freeing Memory" |
...
...