我正在尝试使用文本文件创建4个数组。文本文件如下所示:

1000 Docteur             Albert              65.5
1001 Solo                Hanz                23.4
1002 Caillou             Frederic            78.7
…


代码:

void creer (int num[], char pre[][TAILLE_NP+1], char nom[][TAILLE_NP+1],
float note[], int * nb ){

  int  n = 0, i; /*nb personnes*/

  FILE *donnees = fopen("notes.txt", "r");

  if(!donnees){
    printf("Erreur ouverture de fichier\n");
    exit(0);
  }

  while (!feof(donnees)){

    fscanf(donnees,"%d", &num [n]);
    fgets(nom[n], TAILLE_NP+1, donnees);
    fgets(pre[n], TAILLE_NP+1, donnees);
    fscanf(donnees,"%f\n", &note[n]);

    printf("%d %s %s %f\n",num[n], nom[n], pre[n], note[n]);
    n++;
    }

  fclose (donnees);

  *nb = n ;
  }


int main() {

  int num[MAX_NUM];
  int nbEle;

  char pre[MAX_NUM][TAILLE_NP+1],
       nom[MAX_NUM][TAILLE_NP+1];

  float note[MAX_NUM];

  creer (num, pre, nom, note, &nbEle);

  printf("%s", pre[2]); //test

  return 0;
}


问题是,我敢肯定,对于初学者来说,有更好的方法来创建数组。另外,浮点数有问题,当我打印f时,小数点不正确。例如,78.7变为78.699997。
我究竟做错了什么?
谢谢 ! :)

最佳答案

这里有两个问题:


混合fscanf()fgets()是一个坏主意,因为前者在一行的一部分上工作而后者在整行上工作。
float并不像您期望的那样精确。




解决1:

fscanf(donnees, "%d", &num[n]);
fscanf(donnees, "%s", nom[n]);
fscanf(donnees, "%s", pre[n]);
fscanf(donnees, "%f\n", &note[n]);


为避免溢出“字符串”,您可以通过使用例如fscanf()表示42个"%42s"的字符串(不计算以char结尾的)。



解决2:

使0char并执行

fscanf(donnees,"%lf\n", &note[n]);

关于c - fscanf和fgets用于c中的文本文件(int,string,string和float),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47618150/

10-10 02:10