c语言 使用文件方式存储数据,采用链表组织学生数据。
时间: 2024-03-28 16:37:39 浏览: 108
c语言学生信息管理系统(基于文件、链表)
好的,您的问题是关于使用文件和链表存储学生数据的C语言实现。下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
// 学生结构体
typedef struct student {
char name[20];
int age;
int score;
struct student *next;
} Student;
// 从文件中读取学生数据并返回链表头指针
Student *readFromFile(char *filename) {
Student *head = NULL;
Student *tail = NULL;
FILE *fp = fopen(filename, "r");
if (fp == NULL) {
printf("Failed to open file: %s\n", filename);
return NULL;
}
while (!feof(fp)) {
Student *s = (Student *)malloc(sizeof(Student));
memset(s, 0, sizeof(Student));
fscanf(fp, "%s %d %d\n", s->name, &(s->age), &(s->score));
s->next = NULL;
if (head == NULL) {
head = s;
tail = s;
} else {
tail->next = s;
tail = s;
}
}
fclose(fp);
return head;
}
// 将学生链表写入文件
void writeToFile(char *filename, Student *head) {
FILE *fp = fopen(filename, "w");
if (fp == NULL) {
printf("Failed to open file: %s\n", filename);
return;
}
for (Student *s = head; s != NULL; s = s->next) {
fprintf(fp, "%s %d %d\n", s->name, s->age, s->score);
}
fclose(fp);
}
// 在链表中添加一个学生节点
void addStudent(Student **head, char *name, int age, int score) {
Student *s = (Student *)malloc(sizeof(Student));
memset(s, 0, sizeof(Student));
strncpy(s->name, name, sizeof(s->name)-1);
s->age = age;
s->score = score;
s->next = NULL;
if (*head == NULL) {
*head = s;
} else {
Student *tail = *head;
while (tail->next != NULL) {
tail = tail->next;
}
tail->next = s;
}
}
// 打印链表中所有学生的信息
void printStudents(Student *head) {
printf("Name\tAge\tScore\n");
for (Student *s = head; s != NULL; s = s->next) {
printf("%s\t%d\t%d\n", s->name, s->age, s->score);
}
}
// 释放链表内存
void freeList(Student *head) {
while (head != NULL) {
Student *next = head->next;
free(head);
head = next;
}
}
int main() {
// 从文件中读取学生数据
Student *head = readFromFile("students.txt");
// 打印链表中所有学生的信息
printf("Before adding:\n");
printStudents(head);
// 在链表中添加一个学生节点
addStudent(&head, "Tom", 20, 80);
// 打印链表中所有学生的信息
printf("After adding:\n");
printStudents(head);
// 将学生链表写入文件
writeToFile("students.txt", head);
// 释放链表内存
freeList(head);
return 0;
}
```
在这个示例代码中,我们定义了一个 `Student` 结构体来存储每个学生的信息,并使用链表来组织所有学生数据。我们使用 `readFromFile` 函数从文件中读取学生数据并返回链表头指针,使用 `writeToFile` 函数将学生链表写入文件。我们还定义了 `addStudent` 函数来在链表中添加一个学生节点,以及 `printStudents` 函数来打印链表中所有学生的信息。最后,我们使用 `freeList` 函数释放链表内存。
阅读全文