vault backup: 2024-11-19 14:05:06

This commit is contained in:
zleyyij 2024-11-19 14:05:06 -07:00
parent eecd4ba098
commit 8ffad97607

View File

@ -0,0 +1,18 @@
> **1.** Having to check the return function of `malloc` (or any other memory allocation function) each time we call it can be an annoyance. Write a function named `my_malloc` that serves as a "wrapper" for `malloc`. When we call `my_malloc` and ask it to allocate `n` bytes, it in turn calls `malloc`, tests to make sure that `malloc` doesn't return a null pointer, then returns the pointer from `malloc`. Have `my_malloc` print an error message and terminate the program if `malloc` returns a null pointer.
```c
void *my_malloc(size_t n) {
void *p = malloc(n);
if (p == NULL) {
printf("Failed to allocate memory");
exit(EXIT_FAILURE);
}
return p;
}
```
---
> **2.**