標籤:des style blog http color os 使用 io strong
一,程式碼範例
1 #include <stdio.h> 2 3 void* memleak1(); 4 void* memleak2(); 5 6 int main() 7 { 8 void *p1 = memleak1(); 9 void *p2 = memleak2();10 11 printf("p1=%p, p2=%p\n", p1, p2);12 13 return 0;14 }
main.c
1 /* memleak1.c */2 #include <stdlib.h>3 4 void* memleak1()5 {6 return malloc(1);7 }
memleak1.c
1 /* memleak2.c */2 #include <stdlib.h>3 4 void* memleak2()5 {6 return malloc(2);7 }
memleak2.c
二、如何尋找是否有記憶體泄露
第一步:把下面的代碼黏貼到main()函數所在的源檔案:
#ifdef _DEBUG #include <stdlib.h>#include <crtdbg.h> #ifndef DEBUG_NEW#define DEBUG_NEW new(_NORMAL_BLOCK, __FILE__, __LINE__)#define new DEBUG_NEW#endif #endif
第二步,把下面的代碼黏貼到main()函數的開頭:
char *b;_CrtSetDbgFlag(_CRTDBG_ALLOC_MEM_DF | _CRTDBG_LEAK_CHECK_DF);b = (char*) malloc(20);
最後,重新編譯debug模式並運行vs工程,在輸出視窗就可以看到這樣的提示:
Detected memory leaks!Dumping objects ->{56} normal block at 0x00171580, 20 bytes long. Data: < > CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD {55} normal block at 0x00171540, 2 bytes long. Data: < > CD CD {54} normal block at 0x00171500, 1 bytes long. Data: < > CD Object dump complete.
這裡,我們就可以看到記憶體泄露的位置和泄露的數量。
三、如何定位記憶體泄露的位置
第一步,添加預定義宏(preprocessor marco)到vs工程中:
_CRTDBG_MAP_ALLOC=1
這時候重新編譯並運行工程,我們會得到這樣的輸出,說明我們已經定位20個byte的泄露來自於main.c裡的第25行,正是我們加入的測試記憶體泄露的代碼。但是我們還是沒有定位到另外兩處記憶體泄露。
Detected memory leaks!Dumping objects ->c:\users\jxion\documents\github\memleak\memleak\main.c(25) : {56} normal block at 0x00401580, 20 bytes long. Data: < > CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD {55} normal block at 0x00401540, 2 bytes long. Data: < > CD CD {54} normal block at 0x00401500, 1 bytes long. Data: < > CD Object dump complete.
第二步,在所有我們懷疑有記憶體泄露的源檔案的開始位置,添加下面的代碼:
#ifdef _DEBUG #include <stdlib.h>#include <crtdbg.h> #ifndef DEBUG_NEW#define DEBUG_NEW new(_NORMAL_BLOCK, __FILE__, __LINE__)#define new DEBUG_NEW#endif #endif
這時我們可以定位所有的記憶體泄露的位置了:
Detected memory leaks!Dumping objects ->c:\users\jxion\documents\github\memleak\memleak\main.c(25) : {56} normal block at 0x000F1580, 20 bytes long. Data: < > CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD c:\users\jxion\documents\github\memleak\memleak\memleak2.c(19) : {55} normal block at 0x000F1540, 2 bytes long. Data: < > CD CD c:\users\jxion\documents\github\memleak\memleak\memleak1.c(19) : {54} normal block at 0x000F1500, 1 bytes long. Data: < > CD Object dump complete.
四、尋找第三方庫是否有記憶體泄露:
調用第三方先行編譯庫(prebuilt)也有可能有記憶體泄露,但是我們沒辦法把上面的代碼加入到第三方庫中重新編譯庫。我們只能使用間接的方法。例如:列印我們認為可能有記憶體泄露的第三方函數調用,然後與輸出視窗裡的記憶體泄露地址做比較,如上面的例子中,記憶體泄露位置為:
Detected memory leaks!Dumping objects ->c:\users\jxion\documents\github\memleak\memleak\main.c(25) : {56} normal block at 0x002D1580, 20 bytes long. Data: < > CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD CD {55} normal block at 0x002D1540, 2 bytes long. Data: < > CD CD {54} normal block at 0x002D1500, 1 bytes long. Data: < > CD Object dump complete.
同時列印的記憶體配置地址為:
發現了沒?兩者的地址是一致的,我們同樣可以拿這個作為一個定位記憶體泄露的原則。
[VS] 使用Visual Studio尋找和定位記憶體泄露 @Windows