链表的文件读入和文件读出用c语言怎么写
时间: 2024-02-16 18:00:37 浏览: 69
c语言通讯录链表文件读写
链表的文件读入和文件读出可以用C语言的文件操作函数实现。
文件读入:
```
#include <stdio.h>
#include <stdlib.h>
typedef struct node {
int data;
struct node* next;
} Node;
Node* readFromFile(FILE* fp) {
Node *head = NULL, *tail = NULL, *p;
int data;
while (fscanf(fp, "%d", &data) != EOF) {
p = (Node*)malloc(sizeof(Node));
p->data = data;
p->next = NULL;
if (head == NULL) {
head = tail = p;
} else {
tail->next = p;
tail = p;
}
}
return head;
}
```
文件读出:
```
void writeToFile(FILE* fp, Node* head) {
while (head != NULL) {
fprintf(fp, "%d ", head->data);
head = head->next;
}
}
```
注意:在使用文件操作函数时,需要先打开文件,使用完后要关闭文件。
例如:
```
int main() {
FILE* fp = fopen("data.txt", "r");
Node* head = readFromFile(fp);
fclose(fp);
// 对链表进行操作
fp = fopen("output.txt", "w");
writeToFile(fp, head);
fclose(fp);
return 0;
}
```
其中,"data.txt" 为输入文件名,"output.txt" 为输出文件名,需要根据实际情况进行修改。
阅读全文