int main()
{
 FILE*arq;
 char a[500];
  int i,f;
  arq=fopen("test.txt","w+");
 for(i=0;i<5;i++){
  printf("Type the name:");
  fgets(a,500,stdin);
  fprintf(arq,"%s",a);
  printf("Enter the age");
  fscanf(arq,"%d", f);
  fprintf(arq, "%d", f);
 }
fclose(arq);
return 0;
}


我无法在文件中输入名称和年龄,因为键入名称后,它将跳过年龄的输入

最佳答案

首先,您必须提供要填充的变量的地址。其次,您正在读取文件,该文件在您关闭之前为空,因此不会等待来自stdin的输入。应该是这样的:

fscanf(stdin,"%d", &f);


这将在缓冲区中保留一个'\ n',它将被fgets读取。为防止这种情况,请在下一次迭代之前阅读换行符:

fgetc(stdin);


该代码对我有用:


int main()
{
 FILE*arq;
 char a[500];
 int i,f;
 arq=fopen("test.txt","w+");

 for(i=0;i<5;i++){
  printf("Type the name:");
  fgets(a,500,stdin);
  fprintf(arq,"%s",a);
  printf("Enter the age:");
  fscanf(stdin,"%d", &f);
  fprintf(arq, "%d", f);
  fgetc(stdin);
 }
 fclose(arq);
 return 0;
}

关于c - 将数据放入文件中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/51257461/

10-11 18:10