2014-06-27 65 views
0

我试图回填我对C内存管理的知识。我主要来自脚本和托管背景,我想了解更多关于C和C++的知识。为此我一直在读了几本书,其中包括其中包括使用realloc修剪空格的字符串的这个例子:Valgrind报告无效Realloc

#include <stdio.h> 
#include <stdlib.h> 
#include <string.h> 

char* trim(char* phrase) 
{ 
    char* old = phrase; 
    char* new = phrase; 

    while(*old == ' ') { 
    old++; 
    } 

    while(*old) { 
    *(new++) = *(old++); 
    } 

    *new = 0; 

    return (char*)realloc(phrase, strlen(phrase)+1); 
} 

int main() 
{ 
    char* buffer = (char*)malloc(strlen(" cat")+1); 
    strcpy(buffer, " cat"); 

    printf("%s\n", trim(buffer)); 

    free(buffer); 
    buffer=NULL; 

    return 0; 
} 

我忠实地复制的例子,并与c99 -Wall -Wpointer-arith -O3 -pedantic -march=native编译。我没有收到任何编译错误,并且该应用程序运行并遵循本书所承诺的内容,但是当我针对valgrind运行它时,出现无效的错误realloc

==21601== Memcheck, a memory error detector 
==21601== Copyright (C) 2002-2013, and GNU GPL'd, by Julian Seward et al. 
==21601== Using Valgrind-3.10.0.SVN and LibVEX; rerun with -h for copyright info 
==21601== Command: ./trim 
==21601== 
==21601== Invalid free()/delete/delete[]/realloc() 
==21601== at 0x402B3D8: free (in /usr/lib/valgrind/vgpreload_memcheck-x86-linux.so) 
==21601== by 0x804844E: main (in /home/mo/programming/learning_pointers/trim) 
==21601== Address 0x4202028 is 0 bytes inside a block of size 6 free'd 
==21601== at 0x402C324: realloc (in /usr/lib/valgrind/vgpreload_memcheck-x86-linux.so) 
==21601== by 0x80485A9: trim (in /home/mo/programming/learning_pointers/trim) 
==21601== by 0x804842E: main (in /home/mo/programming/learning_pointers/trim) 
==21601== 
==21601== 
==21601== HEAP SUMMARY: 
==21601==  in use at exit: 4 bytes in 1 blocks 
==21601== total heap usage: 2 allocs, 2 frees, 10 bytes allocated 
==21601== 
==21601== 4 bytes in 1 blocks are definitely lost in loss record 1 of 1 
==21601== at 0x402C324: realloc (in /usr/lib/valgrind/vgpreload_memcheck-x86-linux.so) 
==21601== by 0x80485A9: trim (in /home/mo/programming/learning_pointers/trim) 
==21601== by 0x804842E: main (in /home/mo/programming/learning_pointers/trim) 
==21601== 
==21601== LEAK SUMMARY: 
==21601== definitely lost: 4 bytes in 1 blocks 
==21601== indirectly lost: 0 bytes in 0 blocks 
==21601==  possibly lost: 0 bytes in 0 blocks 
==21601== still reachable: 0 bytes in 0 blocks 
==21601==   suppressed: 0 bytes in 0 blocks 
==21601== 
==21601== For counts of detected and suppressed errors, rerun with: -v 
==21601== ERROR SUMMARY: 2 errors from 2 contexts (suppressed: 0 from 0) 

所以请帮助我理解为什么它认为无效的realloc。是垃圾的例子吗?有什么我失踪?我知道根据规范,realloc期望指针已经由malloc创建,那么是因为realloc在另一个函数中?还是valgrind困惑,因为他们在不同的功能?我不是一个完全白痴(大多数日子),但现在我有点觉得没有看到这个问题。

在此先感谢!

回答

4

您正在尝试free原始指针,而不是realloc d一个。你可以通过以下方式修复它:

buffer = trim(buffer) 
+0

它就在那里。看,一时失明。我认为它必须是我正在做的事情,但我只是没有看到它。真棒。非常感谢! –