⚽目录
1.动态内存函数的介绍
2.常见的动态内存错误
🔥🔥动态内存函数的介绍
✔ malloc
void* malloc (size_t size);
🔺特别注意:
①malloc函数向内存申请一块连续可用的空间,并返回指向这块空间的指针
②如果开辟成功,则返回一个指向开辟好空间的指针
如果开辟失败,则返回一个NULL指针,因此malloc的返回值一定要做检查
③返回值的类型是 void* ,所以malloc函数并不知道开辟空间的类型,具体在使用的时候使用者自己来决定
④如果参数 size 为0,malloc的行为是标准是未定义的,取决于编译器
🔸malloc函数的使用:
-
#include <stdio.h>
-
#include <stdlib.h>
-
#include <errno.h>
-
#include <string.h>
-
-
-
int main()
-
{
-
int* ptr = (
int*)
malloc(
40);
-
if (ptr ==
NULL)
-
{
-
printf(
"%s\n",
strerror(errno));
-
return
1;
-
}
-
int i =
0;
-
for (i =
0; i <
10; i++)
-
{
-
*(ptr + i) = i;
-
printf(
"%d ", *(ptr+i));
-
}
-
-
free(ptr);
-
ptr =
NULL;
-
-
return
0;
-
}
-
//本题结果为:0 1 2 3 4 5 6 7 8 9
✔ free
void free (void* ptr);
🔺特别注意:
①free函数用来释放动态开辟的内存和回收
②如果参数 ptr 指向的空间不是动态开辟的,则不能用free释放
③如果参数 ptr 是NULL指针,则函数什么事都不做
④malloc和free都声明在 stdlib.h 头文件中⑤开辟了一段内存,在使用之后,将该内存释放掉是个好的习惯
✔ calloc
void* calloc (size_t num, size_t size);
🔺特别注意:
①函数的功能是为 num个元素开辟size个大小为字节的一块空间,并且把空间的每个字节初始化为0。
②和malloc区别:malloc只是在内存中开辟一块空间,而calloc不仅开辟了一块空间,还将每个字节初始化为0,malloc不会初始化
🔸calloc函数的使用:
-
#include <stdio.h>
-
#include <stdlib.h>
-
#include <errno.h>
-
#include <string.h>
-
-
-
int main()
-
{
-
int* ptr = (
int*)
calloc(
10,
4);
-
if (ptr ==
NULL)
-
{
-
printf(
"%s\n",
strerror(errno));
-
return
1;
-
}
-
int i =
0;
-
for (i =
0; i <
10; i++)
-
{
-
printf(
"%d ", *(ptr+i));
-
}
-
-
free(ptr);
-
ptr =
NULL;
-
-
return
0;
-
}
-
-
//本题结果为:0 0 0 0 0 0 0 0 0 0
✔ realloc
void* realloc (void* ptr, size_t size);
🔺特别注意:
①realloc函数的出现让动态内存管理更加灵活,可以做到对动态开辟内存大小的调整
②ptr是要调整的内存地址,size调整之后的新大小,返回值为调整之后的内存起始位置
③realloc函数扩容后值的内容为随机值,不是0
④realloc函数申请内存失败后会返回NULL
⑤realloc在调整内存空间的是存在两种情况:(看上图)
(1)情况1:原有空间之后有足够大的空间
要扩展内存就直接原有内存之后直接追加空间,原来空间的数据不发生变化
(2)情况2:原有空间之后没有足够大的空间
原有空间之后没有足够多的空间时,扩展的方法是:在堆空间上另找一个合适大小 的连续空间来使用。这样函数返回的是一个新的内存地址。
由于上述的两种情况,realloc函数的使用就要注意
🔸realloc函数的使用:
-
#include <stdio.h>
-
#include <stdlib.h>
-
#include <stdio.h>
-
#include <string.h>
-
-
int main()
-
{
-
int* ptr = (
int*)
calloc(
10,
4);
-
if (ptr ==
NULL)
-
{
-
printf(
"%s\n",
strerror(errno));
-
return
1;
-
}
-
//扩容
-
int* str = (
int*)
realloc(ptr,
80);
-
if (str !=
NULL)
-
{
-
ptr = str;
-
}
-
free(ptr);
-
ptr =
NULL;
-
-
return
0;
-
}
🔥常见的动态内存错误
✔对NULL指针的解引用操作
✔对动态开辟空间的越界访问
✔对非动态开辟内存使用free释放
✔使用free释放一块动态开辟内存的一部分
✔对同一块动态内存多次释放
✔👉👉动态开辟内存忘记释放(内存泄漏)
🔺特别注意:
①忘记释放不再使用的动态开辟的空间会造成内存泄漏
②切记: 动态开辟的空间一定要释放,并且正确释放
⚽结语
如果对您有帮助的话,
不要忘记点赞+关注哦,蟹蟹
如果对您有帮助的话,
不要忘记点赞+关注哦,蟹蟹
如果对您有帮助的话,
不要忘记点赞+关注哦,蟹蟹
转载:https://blog.csdn.net/qq_68993495/article/details/125748388