我已经尝试找到问题的解决方案,但我找不到,所以我在这里发布。
我想读取一个文件,然后根据我获得的数据创建两个一维数组。 该文件是这样的:
这是我的档案:
7
1. 4.1
2. 8.2
5 19.5
12 50
20 78
30 50.05
50 5
7是我想要获得的行数(我想要从1到50的所有行)。
我写的代码给我一个分段错误,但我不明白为什么 以下是我写的内容:
#include <stdio.h>
#include <math.h>
#include <stdlib.h>
int main(void)
{
/* DECLARATION OF CONSTANTS AND VARIABLES */
FILE* fichier = NULL;
double* x = NULL;
double* y = NULL;
int k,n = 0;
/* OPENING FILE */
fichier = fopen("donnees1.txt", "r+");
if (fichier != NULL)
{
fscanf(fichier, "%d", &n);
/* creating dynamic array of x and y */
x = malloc(n * sizeof(int));
y = malloc(n * sizeof(int));
if (x == NULL)
{
printf("failed to allocate.\n");
exit(0);
}
for(k = 0; k < n; k++)
{
fscanf(fichier, "%lf %lf", &x[k], &y[k]);
printf("%lf %lf\n", x[k],y[k]);
}
/* Closing file */
fclose(fichier);
}
else
{
printf("Cannot open the file.\n");
}
/* Freeing memory */
free(x);
free(y);
return 0;
}
这是该计划的回报:
1.000000 4.100000
2.000000 8.200000
5.000000 19.500000
12.000000 50.000000
20.000000 78.000000
30.000000 50.050000
50.000000 5.000000
Segmentation fault
感谢您的帮助和关注!
答案 0 :(得分:5)
没关系,我找到了解决办法 只是我使用malloc非常糟糕。 我写了
x = malloc(n * sizeof(int));
我应该写的时候
x = malloc(n * sizeof(double));
答案 1 :(得分:5)
我写的代码给我一个分段错误?分段错误导致语句如下x
和y
的内存分配不正确。
x = malloc(n * sizeof(int));
y = malloc(n * sizeof(int));
(因为在大多数机器上sizeof(double)
都比sizeof(int)
大,所以在一段时间后数组元素没有足够的空间了)
应该是
x = malloc(n * sizeof(*x)); /* it works for any type */
y = malloc(n * sizeof(*y));