c语言fwrite 结构体数组写入文件 fread下读取文件到结构体数组
时间: 2023-07-26 12:42:51 浏览: 192
将数组写入文件,读取文件到数组
下面是一个简单的例子,演示如何使用 `fwrite` 函数将结构体数组写入文件,以及使用 `fread` 函数从文件中读取数据到结构体数组:
```c
#include <stdio.h>
#include <stdlib.h>
struct student
{
char name[20];
int age;
float score;
};
int main()
{
FILE *fp;
char filename[] = "example.bin";
struct student stu[3] = {{"Tom", 18, 90.5}, {"Jerry", 19, 88.6}, {"Alice", 20, 92.0}};
struct student read_stu[3];
int i;
// 写入结构体数组到文件
fp = fopen(filename, "wb");
fwrite(stu, sizeof(struct student), 3, fp);
fclose(fp);
// 从文件中读取数据到结构体数组
fp = fopen(filename, "rb");
fread(read_stu, sizeof(struct student), 3, fp);
fclose(fp);
// 打印读取到的结构体数组内容
for(i = 0; i < 3; i++)
{
printf("name: %s, age: %d, score: %.1f\n", read_stu[i].name, read_stu[i].age, read_stu[i].score);
}
return 0;
}
```
上述代码定义了一个 `student` 结构体,包含了学生的姓名、年龄和成绩。首先,使用 `fwrite` 函数将结构体数组 `stu` 写入到名为 `example.bin` 的二进制文件中。然后,使用 `fread` 函数从文件中读取数据到结构体数组 `read_stu` 中,并打印出读取到的结构体数组内容。
需要注意的是,写入和读取的结构体数组的大小必须一致,否则可能会导致数据读取错误。
阅读全文