Latest web development tutorials

C 庫函數– ungetc()

C 標準庫 - <stdio.h> C標準庫- <stdio.h>

描述

C庫函數int ungetc(int char, FILE *stream)把字符char (一個無符號字符)推入到指定的流stream中,以便它是下一個被讀取到的字符。

聲明

下面是ungetc() 函數的聲明。

int ungetc(int char, FILE *stream)

參數

  • char --這是要被推入的字符。該字符以其對應的int 值進行傳遞。
  • stream --這是指向FILE對象的指針,該FILE對象標識了輸入流。

返回值

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

實例

下面的實例演示了ungetc() 函數的用法。

#include <stdio.h>

int main ()
{
   FILE *fp;
   int c;
   char buffer [256];

   fp = fopen("file.txt", "r");
   if( fp == NULL ) 
   {
      perror("打开文件时发生错误");
      return(-1);
   }
   while(!feof(fp)) 
   {
      c = getc (fp);
      /* 把 ! 替换为 + */
      if( c == '!' ) 
      {
         ungetc ('+', fp);
      }
      else 
      {
         ungetc(c, fp);
      }
      fgets(buffer, 255, fp);
      fputs(buffer, stdout);
   }
   return(0);
}

假設我們有一個文本文件file.txt ,它的內容如下。 文件將作為實例中的輸入:

this is w3cschool
!c standard library
!library functions and macros

讓我們編譯並運行上面的程序,這將產生以下結果:

this is w3cschool
+c standard library
+library functions and macros
+library functions and macros

C 標準庫 - <stdio.h> C標準庫- <stdio.h>