运行上面的代码出现buf= free(): double free detected in tcache 2
时间: 2024-03-21 21:40:39 浏览: 128
这个错误通常是因为重复释放了同一个指针所导致的。在你的代码中,出现这个错误的可能原因是:在调用 `replaceChar()` 函数之后,由于你在函数中使用了 `realloc()` 函数重新分配了 `str` 指向的内存空间,而在 `main()` 函数中,你使用 `free()` 函数释放了 `buf` 指向的内存空间,这就导致了重复释放同一个指针的错误。
解决这个问题的方法是:在 `replaceChar()` 函数中不要直接修改 `str` 指针的值,而是应该返回一个新的指针,指向重新分配的内存空间。在 `main()` 函数中,你就可以释放这个新的指针所指向的内存空间,而不会出现重复释放的问题。修改后的代码示例如下:
```
char* replaceChar(char* str, char chr, char* new_str) {
int old_len = strlen(str);
int new_len = strlen(new_str);
int count = 0;
char* p = str;
while (*p != '\0') {
if (*p == chr) {
count++;
}
p++;
}
if (count == 0) {
return str;
}
int new_size = old_len + count * (new_len - 1);
char* new_str_ptr = (char*)realloc(str, new_size + 1);
if (new_str_ptr == NULL) {
return str;
}
str = new_str_ptr;
char* dst = str + old_len + count * (new_len - 1);
char* src = str + old_len;
while (src >= str) {
if (*src == chr) {
memcpy(dst - new_len + 1, new_str, new_len);
dst -= new_len;
} else {
*dst = *src;
dst--;
}
src--;
}
return str;
}
int main() {
char* buf = strdup("hello123456");
printf("buf=%s\n", buf);
buf = replaceChar(buf, 'o', "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa");
printf("buf=%s\n", buf);
free(buf);
return 0;
}
```
在修改后的代码中,`replaceChar()` 函数返回一个新的指针 `new_str_ptr`,指向重新分配的内存空间,而不是直接修改原来的指针 `str` 的值。在 `main()` 函数中,你使用新的指针 `buf` 来指向 `replaceChar()` 函数返回的内存空间,这样就可以避免重复释放同一个指针的错误。
阅读全文