- C 标准库
- C 库 - 首页
- C 库 - <assert.h>
- C 库 - <complex.h>
- C 库 - <ctype.h>
- C 库 - <errno.h>
- C 库 - <fenv.h>
- C 库 - <float.h>
- C 库 - <inttypes.h>
- C 库 - <iso646.h>
- C 库 - <limits.h>
- C 库 - <locale.h>
- C 库 - <math.h>
- C 库 - <setjmp.h>
- C 库 - <signal.h>
- C 库 - <stdalign.h>
- C 库 - <stdarg.h>
- C 库 - <stdbool.h>
- C 库 - <stddef.h>
- C 库 - <stdio.h>
- C 库 - <stdlib.h>
- C 库 - <string.h>
- C 库 - <tgmath.h>
- C 库 - <time.h>
- C 库 - <wctype.h>
- C 标准库资源
- C 库 - 快速指南
- C 库 - 有用资源
- C 库 - 讨论
C 库 - putc() 函数
C 库的 putc() 函数将参数 char 指定的字符(一个无符号字符)写入指定的流,并向前移动流的位置指示器。
语法
以下是 C 库 putc() 函数的语法:
int putc(int char, FILE *stream);
参数
此函数接受以下参数:
-
char: 这是要写入的字符。它作为 int 传递,但会在内部转换为无符号字符。
-
stream: 这是指向 FILE 对象的指针,用于标识要写入字符的流。该流可以是任何输出流,例如以写入模式打开的文件或标准输出。
返回值
如果成功,putc() 函数会返回写入的字符,作为转换为 int 的无符号字符。如果发生错误,它将返回 EOF 并设置流的相应错误指示器。
示例 1
将字符写入文件
此示例以写入模式打开一个文件,并将字符 'A' 写入其中。
#include <stdio.h> int main() { FILE *file = fopen("example1.txt", "w"); if (file == NULL) { perror("Error opening file"); return 1; } putc('A', file); fclose(file); return 0; }
输出
以上代码将创建一个名为 example1.txt 的文件,并将字符 'A' 写入其中。
A
示例 2
使用错误处理将字符写入文件
此示例通过检查 putc() 的返回值并打印错误消息(如果写入失败)来演示错误处理。
#include <stdio.h> int main() { FILE *file = fopen("example3.txt", "w"); if (file == NULL) { perror("Error opening file"); return 1; } if (putc('B', file) == EOF) { perror("Error writing to file"); fclose(file); return 1; } fclose(file); return 0; }
输出
执行以上代码后,将创建一个名为 example3.txt 的文件,并将字符 'B' 写入其中。如果写入过程中发生错误,将显示错误消息。
B
广告