有人可以向我解释一下,我的代码中出现了什么问题? 据我了解,我需要释放为char *分配的内存 - 否则它会泄漏它。但是,如果我使用(在程序的最后free(),我得到: malloc: *对象0x7ff7274027a4的错误:未分配被释放的指针 * 在malloc_error_break中设置断点以进行调试 中止陷阱:6
没有“free()”这段代码运行得很好并且给了我需要的东西。 提前谢谢!
#include <stdio.h>
#include <string.h>
#include<stdlib.h>
int main ()
{
char *src="start=3.6307436653491267,2.2931731236906048,0";
char *psrc;
psrc=calloc((strlen(src)+1),sizeof(char));
strcpy(psrc,src);
size_t len= strlen(src);
len +=1;
char str[len];
int count=0;
char *wt=calloc(3,sizeof(char));
char *ft=calloc(17, sizeof(char));
char *finalstr=calloc((strlen(wt) + strlen(ft) + 1), sizeof(char));
while (psrc != NULL && *psrc != '\0' && count <= len)
{
if(psrc[0] == '=')
{
psrc +=1;
strcpy(str, psrc);
wt=strtok(str, ".");
ft=strtok(NULL, ".");
ft=strtok(ft, ",");
strcpy(finalstr, wt);
strcat(finalstr, ".");
strncat(finalstr, ft, 2);
}
++psrc;
++count;
}
printf("finalstr: %s\n", finalstr);
//free(psrc);
exit(EXIT_SUCCESS);
}
答案 0 :(得分:1)
错误是因为您只能将free()
/ malloc()
/ calloc()
返回的指针传递给realloc()
,并且您传递的是递增的psrc
}。
例如,
char *string = malloc(SIZE);
free(string + 1);
是未定义的行为,调用free()
的唯一可接受且正确的方法是
free(string);
你有
psrc += 1;
更改psrc
的值,不再指向calloc()
最初返回的地址。
虽然如果您担心内存泄漏,您需要了解它们。
在您的代码中,您有
char *wt = calloc(3, sizeof(char));
然后,
wt = strtok(str, ".");
这正是内存泄漏:因为您现在无法free()
calloc()
之前返回的内存。
你需要在继续之前学习指针,当你的代码中有明显的内存泄漏并且你不知道时担心内存泄漏没有多大意义
我还认为您应该重新考虑以下声明
没有“free()”这段代码运行得很好并且给了我需要的东西。
代码并不总是为您提供所需的,因为它有严重的错误会导致未定义的行为,因此不可行无论如何都要预测结果。
如果您仔细阅读以下示例中使用的函数的文档,您可以使用以下代码
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
int main(void)
{
const char *src = "start=3.6307436653491267,2.2931731236906048,0";
const char *equal;
char *endptr;
float value;
int length;
char *result;
// Find the equal sign, if not found the function
// returns and no output is shown
equal = strchr(src, '=');
if (equal == NULL)
return -1;
// Convert the string to a `float' starting
// at the `=' sign and up to the `,'
value = strtof(equal + 1, &endptr);
// If the first non numeric character wasn't a `,'
// then this input string is not as we expected it to
// be so we abort the program.
if (*endptr != ',')
return -1;
// Create a string from the number, with just 2
// decimal places.
// Compute the length of the resulting string
length = snprintf(NULL, 0, "%.2f", value);
if (length == -1)
return -1;
// Allocate space for it
result = malloc(length + 1);
if (result == NULL)
return -1;
// Finally "print" the number into the string
snprintf(result, length, "%.2f", value);
// Now we have the string we wanted
fprintf(stdout, "%s\n", result);
// After we've done our work with `result' then we
// have to `free()' it
free(result);
return 0;
}
答案 1 :(得分:0)
psrc
不再指向其原始地址。您可能希望在释放内存之前添加psrc -= count;
。