小甲鱼 发表于 2017-7-17 02:26:39

fwrite -- 将数据写入到文件中

fwrite 函数文档

函数概要:

fwrite 函数用于将指定尺寸的数据写入到指定的文件中。


函数原型:

#include <stdio.h>
...
size_t fwrite(const void *ptr, size_t size, size_t nmemb, FILE *stream);

参数解析:


参数含义
ptr 指向存放数据的内存块指针,该内存块的尺寸最小应该是 size * nmemb 个字节
size 指定要写入的每个元素的尺寸,最终尺寸等于 size * nmemb
nmemb 指定要写入的元素个数,最终尺寸等于 size * nmemb
stream 该参数是一个 FILE 对象的指针,指定一个待写入的文件流


返回值:

1. 返回值是实际写入到文件中的元素个数(nmemb);

2. 如果返回值与 nmemb 参数的值不同,则有错误发生。


演示:

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

struct Date
{
      int year;
      int month;
      int day;
};

struct Book
{
      char name;
      char author;
      char publisher;
      struct Date date;
};

int main(void)
{
      FILE *fp;
      struct Book *book_for_write, *book_for_read;

      // 为结构体分配堆内存空间
      book_for_write = (struct Book *)malloc(sizeof (struct Book));
      book_for_read = (struct Book *)malloc(sizeof (struct Book));

      if (book_for_write == NULL || book_for_read == NULL)
      {
                printf("内存分配失败!\n");
                exit(EXIT_SUCCESS);
      }

      // 填充结构体数据
      strcpy(book_for_write->name, "《带你学C带你飞》");
      strcpy(book_for_write->author, "小甲鱼");
      strcpy(book_for_write->publisher, "清华大学出版社");
      book_for_write->date.year = 2017;
      book_for_write->date.month = 11;
      book_for_write->date.day = 11;

      if ((fp = fopen("file.txt", "w")) == NULL)
      {
                printf("打开文件失败!\n");
                exit(EXIT_SUCCESS);
      }

      // 将整个结构体写入文件中
      fwrite(book_for_write, sizeof(struct Book), 1, fp);

      // 写入完成,关闭保存文件
      fclose(fp);

      // 重新打开文件,检测是否成功写入数据
      if ((fp = fopen("file.txt", "r")) == NULL)
      {
                printf("打开文件失败!\n");
                exit(EXIT_FAILURE);
      }

      // 在文件中读取结构体并打印到屏幕上
      fread(book_for_read, sizeof(struct Book), 1, fp);

      printf("书名:%s\n", book_for_read->name);
      printf("作者:%s\n", book_for_read->author);
      printf("出版社:%s\n", book_for_read->publisher);
      printf("出版日期:%d-%d-%d\n", book_for_read->date.year, book_for_read->date.month, book_for_read->date.day);

      fclose(fp);

      return 0;
}                           




还差几 发表于 2017-9-3 11:34:49

{:5_93:}

可爱的失踪人口 发表于 2018-2-22 16:17:15

小甲鱼, 你用malloc函数却没用free

清尘yt 发表于 2019-8-18 14:06:37

学习

huangnanming 发表于 2019-11-24 22:11:45

我觉得还行

greenery 发表于 2020-10-2 20:56:41

可爱的失踪人口 发表于 2018-2-22 16:17
小甲鱼, 你用malloc函数却没用free

拉翔没冲{:10_317:}

wangBB 发表于 2021-1-26 20:55:50

无意中发现,将代码里的日期改为26:book_for_write->date.day = 26;显示结果会不正常,是什么原理????{:10_247:}

贝贝眠 发表于 2021-8-3 17:18:58

{:10_249:}{:10_249:}{:10_257:}

虎鲸L 发表于 2021-8-12 17:19:53

这个代码其实有欠缺,会导致内存泄漏,使用动态内存没有在程序结束是释放。{:10_245:}

陆锦州 发表于 2021-12-22 23:35:38

直接复制的代码怎么文件啥也没有 屏幕也不显示(裂了

Jackson2021 发表于 2022-5-30 13:37:36

printf("打开文件失败!\n");
exit(EXIT_SUCCESS);
失败了, 应该是 exit(EXIT_FAILURE); 吧
页: [1]
查看完整版本: fwrite -- 将数据写入到文件中