C 库函数 - ungetc()

描述

C 库函数 int ungetc(int char, FILE *stream) 把字符 char(一个无符号字符)推入到指定的流 stream 中,以便它是下一个被读取到的字符。

声明

下面是 ungetc() 函数的声明。

  1. int ungetc(int char, FILE *stream)

参数

  • char — 这是要被推入的字符。该字符以其对应的 int 值进行传递。
  • stream — 这是指向 FILE 对象的指针,该 FILE 对象标识了输入流。

返回值

如果成功,则返回被推入的字符,否则返回 EOF,且流 stream 保持不变。

实例

下面的实例演示了 ungetc() 函数的用法。

  1. #include <stdio.h>
  2. int main ()
  3. {
  4. FILE *fp;
  5. int c;
  6. char buffer [256];
  7. fp = fopen("file.txt", "r");
  8. if( fp == NULL )
  9. {
  10. perror("打开文件时发生错误");
  11. return(-1);
  12. }
  13. while(!feof(fp))
  14. {
  15. c = getc (fp);
  16. /* 把 ! 替换为 + */
  17. if( c == '!' )
  18. {
  19. ungetc ('+', fp);
  20. }
  21. else
  22. {
  23. ungetc(c, fp);
  24. }
  25. fgets(buffer, 255, fp);
  26. fputs(buffer, stdout);
  27. }
  28. return(0);
  29. }

假设我们有一个文本文件 file.txt,它的内容如下。文件将作为实例中的输入:

  1. this is helloworld
  2. !c standard library
  3. !library functions and macros

让我们编译并运行上面的程序,这将产生以下结果:

  1. this is helloworld
  2. +c standard library
  3. +library functions and macros
  4. +library functions and macros