文章目录

  • 一、将结构体写出到文件中并读取结构体数据
  • 二、将结构体数组写出到文件中并读取结构体数组数据

一、将结构体写出到文件中并读取结构体数据


​写出结构体 :​ 直接将结构体指针指向的 , 结构体大小的内存 , 写出到文件中即可 ;

// 要写入文件的结构体
struct student s1 = {"Tom", 18};
// 将结构体写出到文件中
fwrite(&s1, 1, sizeof (struct student), p);

​读取结构体 :​ 直接读取文件数据 , 使用结构体指针接收该数据 , 便可以自动为结构体填充数据 ;

// 存储读取到的结构体数据
struct student s2 = {0};
// 从文件中读取结构体信息
fread(&s2, 1, sizeof (struct student), p);

​代码示例 :​

#include <stdio.h>

/* 定义结构体, 存储一个字符串和年龄 */
struct student
{
char name[20];
int age;
};

int main()
{
// 要写入文件的结构体
struct student s1 = {"Tom", 18};

// 打开要写入的文件
FILE *p = fopen("D:/File/student.dat", "w");
// 打开失败直接退出
if(p == NULL)
return 0;

// 将结构体写出到文件中
fwrite(&s1, 1, sizeof (struct student), p);
// 关闭文件
fclose(p);



// 读取文件中的结构体



// 存储读取到的结构体数据
struct student s2 = {0};

// 打开文件
FILE *p2 = fopen("D:/File/student.dat", "r");
// 如果打开失败, 退出
if(p2 == NULL)
return 0;

// 从文件中读取结构体信息
fread(&s2, 1, sizeof (struct student), p2);
// 关闭文件
fclose(p2);

// 打印数据
printf("student : name=%s, age=%d\n", s2.name, s2.age);

return 0;
}

​执行结果 :​ 写出的文件字节数为 24 , 20 字节的字符串数据 , 4 字节 int 值 ;

【C 语言】文件操作 ( 将结构体写出到文件中并读取结构体数据 | 将结构体数组写出到文件中并读取结构体数组数据 )_struct

二、将结构体数组写出到文件中并读取结构体数组数据


​保存结构体数组 :​ 给定结构体指针设置要写出文件的数据 , 设置好写出的文件字节数即可 ;

// 要写入文件的结构体
struct student s1[2] = {{"Tom", 18}, {"Jerry", 20}};
// 将结构体写出到文件中
fwrite(s1, 2, sizeof (struct student), p);

​读取结构体数组 :​ 给定接收数据的结构体指针 , 同时保证该结构体指针指向的数据有足够的内存 ;

// 存储读取到的结构体数据
struct student s2[2] = {0};
// 从文件中读取结构体信息
fread(s2, 2, sizeof (struct student), p2);

​代码示例 :​

#include <stdio.h>

/* 定义结构体, 存储一个字符串和年龄 */
struct student
{
char name[20];
int age;
};

int main()
{
// 要写入文件的结构体
struct student s1[2] = {{"Tom", 18}, {"Jerry", 20}};

// 打开要写入的文件
FILE *p = fopen("D:/File/student.dat", "w");
// 打开失败直接退出
if(p == NULL)
return 0;

// 将结构体写出到文件中
fwrite(s1, 2, sizeof (struct student), p);
// 关闭文件
fclose(p);



// 读取文件中的结构体



// 存储读取到的结构体数据
struct student s2[2] = {0};

// 打开文件
FILE *p2 = fopen("D:/File/student.dat", "r");
// 如果打开失败, 退出
if(p2 == NULL)
return 0;

// 从文件中读取结构体信息
fread(s2, 2, sizeof (struct student), p2);
// 关闭文件
fclose(p2);

// 打印数据
int i = 0;
for(i = 0; i < 2; i ++)
printf("student : name=%s, age=%d\n", s2[i].name, s2[i].age);

return 0;
}

​执行结果 :​ 文件中存储了 48 字节数据 , 正好是 2 个结构体的数据大小 ;

【C 语言】文件操作 ( 将结构体写出到文件中并读取结构体数据 | 将结构体数组写出到文件中并读取结构体数组数据 )_原力计划_02