我使用" valgrind --leak-check = full"测试了我的软件,它显示:
==90862== 7,627 bytes in 4 blocks are definitely lost in loss record 858 of 897
==90862== at 0x4C2FB55: calloc (in /usr/lib/valgrind/vgpreload_memcheck-amd64-linux.so)
==90862== by 0xD64991C: concat(int, ...) (Client.cpp:150)
我无法理解为什么,因为我在calloc之后使用free()。 这是我的代码:
char* p = concat(2, buffOld, buff);
char *x;
while(true) {
x = p;
p = strstr(p,"\\final\\");
if(p == NULL) { break; }
*p = 0;
p+=7;
parseIncoming((char *)x,strlen(x));
}
free(p);
" concat"功能:
char* concat(int count, ...)
{
va_list ap;
int i;
// Find required length to store merged string
int len = 1; // room for NULL
va_start(ap, count);
for(i=0 ; i<count ; i++)
len += strlen(va_arg(ap, char*));
va_end(ap);
// Allocate memory to concat strings
char *merged = (char*)calloc(sizeof(char),len);
int null_pos = 0;
// Actually concatenate strings
va_start(ap, count);
for(i=0 ; i<count ; i++)
{
char *s = va_arg(ap, char*);
strcpy(merged+null_pos, s);
null_pos += strlen(s);
}
va_end(ap);
return merged;
}
我做错了什么?
答案 0 :(得分:6)
我无法理解为什么,因为我在calloc之后使用free()
是的,但是(如果我理解正确的话)你free()
指针错误。
您应该将p
复制到另一个指针(修改前)和free()
保存副本。
查看您的代码
char* p = concat(2, buffOld, buff);
char *x;
while(true) {
x = p;
p = strstr(p,"\\final\\");
if(p == NULL) { break; }
*p = 0;
p+=7;
parseIncoming((char *)x,strlen(x));
}
free(p);
使用calloc-ed指针初始化指针p
,但while
cicle修改它并仅在p
为NULL
时返回。
所以,当你打电话
free(p)
你打电话
free(nullptr)
---编辑---
我仍然不明白。我在最后添加了free(x),它崩溃了
我对free(x)
的初步建议是我的错误,因为我没有将注意力指向x
使用p
值初始化但在while
循环。再次感谢Johnny Mopp将注意力集中在它上面。
我建议使用另一个变量来记住p
的原始值(calloc()
返回的确切值)并释放此值。
像
这样的东西char* p = concat(2, buffOld, buff);
char *x;
char * const forFree = p; /* <--- saving calloc() returned value */
while(true) {
x = p;
p = strstr(p,"\\final\\");
if(p == NULL) { break; }
*p = 0;
p+=7;
parseIncoming((char *)x,strlen(x));
}
free(forFree);