这是我的密码

#include <stdio.h>
#include <stdlib.h>
int main ()
{
    int x = 0;
    int y = 0;
    float a[5][2];      //array
    float b[3][2];      //array
    float c[2][2];      //array
    FILE *fr;
    //int c;
    float power;
    char unit[5];
    //int N;        //Number of sensors
    float TI;       //Time interval
    //char M;       //Midpoint
    //char T;       //Trapezoid
    //int SR;       //Sample Rate
    fr = fopen("sensor_0.txt","r");
    /*fr = fopen("sensor_1.txt","r");
    fr = fopen("sensor_2.txt","r");
*/
//----------------------------------------------------------------------------------------------------------------------------
 printf("The contents of %s file are :\n", "sensor_0.txt");
 while ( !feof( fr ) )
 {


fscanf(fr, "%f %f %s",&TI, &power, unit);

//printf("%f, %f \n", TI,power);        //print
a[x][y] = TI;
a[x][++y]= power;
x++;
y = 0;

 }
  fclose(fr);
//----------------------------------------------------------------------------------------------------------------------------

  printf("%s", "hello");

    return 0;
}

为什么我的字符串在while循环之后没有打印出任何内容?
如果我在while循环中取消注释同一行,它将正确打印。我也试过添加simpleprintf("hello"),但是在while循环之后似乎没有任何工作。
编辑-次要格式。
output should just be
700 25.18752608 mW
710 26.83002734 mW
720 26.85955414 mW
730 23.63045233 mW

最佳答案

我怀疑文件有5行,而不是4行。
您对!feof()的测试失败,因为您在尝试读取第6行时尚未到达文件结尾。fscanf失败,但不测试返回值。因此,将TIpower存储在2D数组的末尾,调用未定义的行为。
以这种方式更改加载代码可以解决问题:

while (x < 5 && fscanf(fr, "%f %f %4s", &TI, &power, unit) == 3) {
    a[x][0] = TI;
    a[x][1] = power;
    x++;
}
if (x != 5) {
    printf("incomplete input\n");
}

关于c - 为什么在while循环后printf不打印任何内容,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34056134/

10-09 23:23