-2

我正在查看有关 fsacnf 的 msdn 解释并尝试更改代码。这是一场灾难,我不明白它是如何工作的。例如,如果我有一个包含此信息的文件 x:“string”7 3.13 ' x' 当我写 scanf("%s",&string_input) 所以字符串被保存然后它转到下一行?-> 到 7?我现在要写: char test; fscanf("%c" , &test) -- 它会跳转到 'x' 还是取 7 并将其转换为它的 ascii 值?

这是我尝试过的代码和输出:

#include <stdio.h>

FILE *stream;

int main( void )
 {
    long l;
   float fp,fp1;
   char s[81];
    char c,t;

     stream = fopen( "fscanf.out", "w+" );
      if( stream == NULL )
        printf( "The file fscanf.out was not opened\n" );
      else
      {
      fprintf( stream, "%s %d %c%f%ld%f%c", "a-string",48,'y', 5.15,
              65000, 3.14159, 'x' );
  // Security caution!
  // Beware loading data from a file without confirming its size,
  // as it may lead to a buffer overrun situation.
  /* Set pointer to beginning of file: */
  fseek( stream, 0L, SEEK_SET );

  /* Read data back from file: */
  fscanf( stream, "%s", s );
  fscanf( stream, "%c", &t );
fscanf( stream, "%c", &c );

  fscanf( stream, "%f", &fp );
   fscanf( stream, "%f", &fp1 );
  fscanf( stream, "%ld", &l );



  printf( "%s\n", s );
   printf("%c\n" , t);
  printf( "%ld\n", l );
  printf( "%f\n", fp );
  printf( "%c\n", c );

  printf("f\n",fp1);
  getchar();


  fclose( stream );
    }
}

这是输出:

字符串

-858553460
8.000000
4
F

不明白为什么

谢谢!!

4

2 回答 2

1

缺少格式说明符:

printf("f\n",fp1);

应该:

printf("%f\n",fp1);

更重要的是:检查fscanf(). 它返回成功分配的数量:这里应该是1每次调用的次数,因为每次调用应该只有一个分配fscanf()。如果fscanf()失败,则变量未修改。由于代码中的变量未初始化,如果fscanf()未能分配给它们,它们将包含随机值,这里就是这种情况:

                            /* a-string 48 y 5.15 65000 3.14159 x */
fscanf(stream, "%s", s);    /* ^             (s is assigned "a-string") */
fscanf(stream, "%c", &t);   /*         ^     (t is assigned space)      */
fscanf(stream, "%c", &c);   /*          ^    (c is assigned 4)          */
fscanf(stream, "%f", &fp);  /*           ^   (fp is assigned 8)         */
fscanf(stream, "%f", &fp1); /*             ^ (fail: 'y' is not a float) */
fscanf(stream, "%ld", &l);  /*             ^ (fail: 'y' is not a long)  */
于 2012-07-18T13:18:26.993 回答
1

你的写声明是

"%s %d %c%f%ld%f%c", "a-string",48,'y', 5.15, 65000, 3.14159, 'x'

如果您打印第五个参数 as%ld那么您也应该将其作为(long)65000. 但在大多数系统上,这不会产生影响。该文件的内容现在应该如下所示并被解析:

a-string 48 y5.15650003.14159x
^       ^^^
s       |c|
        t fp

s:  "a-string"
t:  ' '
l:  undefined
fp: 8
c:  '4'
fp1: undefined

所以s匹配第一个单词,直到第一个空格。t匹配空格字符,因为%c不会跳过前导空格。c匹配 的第一个数字48fp第二个数字。%ffor将fp1跳过下一个空格,然后无法读取任何内容,因为y无法将字符读取为浮点数。%ldfor%l会因为同样的原因而失败。您应该检查结果fscanf以检测和报告此类错误。

于 2012-07-18T13:30:34.040 回答