...
Code Block | ||||
---|---|---|---|---|
| ||||
errno_t f(void) {
png_charp chunkdata;
chunkdata = (png_charp)png_malloc(png_ptr, length + 1);
/* ... */
return 0;
} |
If a length field of −1 is supplied to the code in this noncompliant example, the addition wraps around to 0, and png_malloc()
subsequently returns a null pointer, which is assigned to chunkdata
. The chunkdata
pointer is later used as a destination argument in a call to memcpy()
, resulting in user-defined data overwriting memory starting at address 0. A write from or read to the memory address 0x0
will generally reference invalid or unused memory. In the case of the ARM and XScale architectures, the 0x0
address is mapped in memory and serves as the exception vector table.
...
Code Block | ||||
---|---|---|---|---|
| ||||
errno_t f(void) {
png_charp chunkdata;
chunkdata = (png_charp)png_malloc(png_ptr, length + 1);
if (NULL == chunkdata) {
return ENOMEM; /* Indicate failure */
}
/* ... */
return 0;
} |
This compliant solution is categorized as a POSIX solution because it returns ENOMEM
, which is defined by POSIX but not by the C Standard.
...