前言
你知道malloc(0);
是啥吗?他不释放会导致内存泄漏吗?Are you know?
一直以来,内存泄漏都是导致程序崩溃的原因,那么我们怎么避免内存泄漏呢?
malloc(0)
int *p = (int *)malloc(0); printf("%d,%x", *p,p);//在这行我们可以看到,唉有地址啊,我们malloc(0) //为什么还有地址啊
原来:malloc(0)
并不是只申请了0个字节,而是向内存申请了特定的字节,这个取决与系统
malloc
其实是申请了长度为0的一个内存,但他有地址,字节数。他不能做一些操作
因为他有字节数,所以不释放会内存泄漏
防止内存泄漏案例
//make.h #pragma once #include <stdio.h> #include <malloc.h> //使用宏代替原来的函数 #define MALLOC(n) mallocEx(n, __FILE__, __LINE__)//参数:申请的字节数、文件名、行数 #define FREE(p) freeEx(p) void* mallocEx(size_t n, const char* file, const line); void freeEx(void* p); void PRINT_LEAK_INFO();
//make.cpp #include "make.h" #include <malloc.h> #define SIZE 256 //用来保存每次动态分配的信息 typedef struct { void* pointer;//地址 int size;//大小 //文件位置 const char* file; int line; } MItem; //每次动态申请操作弄下来 static MItem g_record[SIZE]; void* mallocEx(size_t n, const char* file, const line) { //真正申请空间 void* ret = malloc(n); if (ret != NULL) { int i = 0; //查找是否有可用的位置 for (i = 0; i < SIZE; i++) { if (g_record[i].pointer == NULL) { //记录 g_record[i].pointer = ret; g_record[i].size = n; g_record[i].file = file; g_record[i].line = line; break; } } } return ret; } void freeEx(void* p) { //查找p是否在数组中 if (p != NULL) { int i = 0; for (i = 0; i < SIZE; i++) { if (g_record[i].pointer == p) { //清除 g_record[i].pointer = NULL; g_record[i].size = 0; g_record[i].file = NULL; g_record[i].line = 0; free(p); break; } } } } void PRINT_LEAK_INFO() { int i = 0; printf("Potential Memory Leak Info:\n"); //遍历是否有元素在里面,有的话:打印信息 for (i = 0; i < SIZE; i++) { if (g_record[i].pointer != NULL) { printf("Address: %p, size:%d, Location: %s:%d\n", g_record[i].pointer, g_record[i].size, g_record[i].file, g_record[i].line); } } }
我们可以用一个结构体数组来记录我们申请的指针的信息
mallocEx使用后,新增一个指针信息到结构体数组中
freeEx使用后,减少这个指针信息结构体(遍历)
PRINT_LANK_INFO():
遍历结构体数组、如果有一个指针不为NULL(—>没有释放),则打印他的信息
//main.c #include "make.h" #include <stdio.h> void f() { int *p = MALLOC(4*3); } int main(void) { f(); int *p = MALLOC(4); FREE(p); PRINT_LANK_INFO()://line:7 name:p 未释放 return 0; }