1

我目前正在编写下面的 C 代码。我需要whilefclose. 似乎每次我运行blackfin ADSP内核都会崩溃。我将需要它进一步执行 FFT。请帮忙!

#include <stdlib.h>
#include <stdio.h>
#include <flt2fr.h>
#include <fract_math.h>
#include <math_bf.h>
#include <complex.h>
#include <filter.h>

int main() 
{
    int n = 1024;
    long int dat1[n];
    FILE *file1;
    fract16 *m;
    int i;

    // file1 open and read the values
    file1 = fopen("0.dat", "r");
    if (file1 == NULL) {
       printf("I couldn't open 0.dat for reading.\n");
       exit(0);
    }

    while (!feof(file1)) {
        fgets(dat1, n, file1);
        m = malloc(sizeof(fract16) * n);
        for (i = 0; i < n; i++) {
            sscanf(dat1, "%f", &m[i]); //getting error here
        }
    }

    fclose(file1);
    printf("%lf\n", m);
    return 0;
}

好的,谢谢大家纠正我的错误,但问题仍然没有解决。我能够打印内部的所有值,但在循环之外它只打印数据集的最后一个值,有什么精确的解决方案吗?我用谷歌搜索了几个小时,但还没有成功。代码如下 >

#include <stdlib.h>
#include <stdio.h>
#include <flt2fr.h>
#include<fract_math.h>
#include <math_bf.h>
#include <complex.h>
#include <filter.h>
int main()
{
    int n = 1024;
    long int dat1[n];
    FILE *file1;
    fract16 *m;

    file1 = fopen("0.dat", "r");
      if (file1 == NULL) {
         printf("I couldn't open 0.dat for reading.\n");
         exit(0);
      }

    while( !feof(file1))
    {

       fgets(dat1,n,file1);
       sscanf(dat1, "%f", &m);
       printf("%f\n",m); //Prints all elements in the 1st column of the  array, 0.dat is a nx2 matrix
    }
    fclose(file1);
}
4

2 回答 2

1

您可以在读取文件之前在 while 循环之外为缓冲区分配内存。然后每次读入缓冲区之前,只需使用 memset 并将缓冲区设置为所有空字符。

另外,尝试使用 fread 直接读入缓冲区而不是 fgets

于 2016-12-02T15:54:00.757 回答
0

该变量m被定义为一个指针和数组fract16

解决问题建议:

if( 1 != sscanf(dat1, "%f", m+(sizeof(fract16)*i) )
{
    perror( "sscanf failed" );
    exit( EXIT_FAILURE );
}

错误是因为m已经是一个指针并且你希望它继续是一个指针

作为旁白。代码没有检查调用中实际读取了多少数据,fgets()因此for()很可能在实际数据结束后读取。并且每次遍历while()循环都会破坏/覆盖从先前调用获得的指针malloc()

然后在代码后面是语句:

printf("%lf\n", m);

但是m是一个指向 `fract16 对象数组的指针。

那些fract16对象可能是double值,但那个细节并不清楚。在任何情况下,这个调用printf()最多只会从输入文件的最后一行的开头输出一个双精度值。那是你真正想做的吗?

注意: dat1[]被声明为 的数组long int,但调用sscanf()似乎是在尝试提取float值。

IE 代码在数据类型、单个值的提取和打印方面都不一致。

m需要注意的一点:在当前代码中,由于指针被调用反复覆盖,存在大量内存泄漏,malloc() 并且由于使用feof(),最后一次调用fgets()将失败,因此 cotentsdat1[]将以 NUL 开头字节

fractl16建议分配一个指向对象的指针数组

然后对于读取的每一行,使用malloc()设置指针数组中的下一个指针,...

于 2016-12-04T07:47:33.947 回答