LinuxC语言读取文件,分割字符串,存入链表,放入另一个文件
时间: 2023-07-18 18:05:15 浏览: 116
C 创建链表并将信息存储在二进制文件中读取的实例代码
好的,可以参考下面的代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
// 定义链表节点
typedef struct node {
char *data; // 数据
struct node *next; // 指向下一个节点的指针
} Node;
// 读取文件内容
char *read_file(const char *filename) {
FILE *fp = fopen(filename, "r");
if (fp == NULL) {
printf("Failed to open file: %s\n", filename);
exit(1);
}
// 获取文件大小
fseek(fp, 0L, SEEK_END);
long size = ftell(fp);
fseek(fp, 0L, SEEK_SET);
// 读取文件内容
char *content = (char *)malloc(size + 1);
memset(content, 0, size + 1);
fread(content, 1, size, fp);
fclose(fp);
return content;
}
// 分割字符串
Node *split_string(char *str, const char *delimiter) {
Node *head = NULL;
Node *tail = NULL;
char *token = strtok(str, delimiter);
while (token != NULL) {
Node *node = (Node *)malloc(sizeof(Node));
node->data = (char *)malloc(strlen(token) + 1);
strcpy(node->data, token);
node->next = NULL;
if (head == NULL) {
head = node;
tail = node;
} else {
tail->next = node;
tail = node;
}
token = strtok(NULL, delimiter);
}
return head;
}
// 保存链表内容到文件
void save_list(Node *head, const char *filename) {
FILE *fp = fopen(filename, "w");
if (fp == NULL) {
printf("Failed to open file: %s\n", filename);
exit(1);
}
Node *node = head;
while (node != NULL) {
fprintf(fp, "%s\n", node->data);
node = node->next;
}
fclose(fp);
}
int main() {
// 读取文件内容
char *content = read_file("input.txt");
// 分割字符串
Node *head = split_string(content, " \n");
// 保存链表内容到文件
save_list(head, "output.txt");
// 释放内存
Node *node = head;
while (node != NULL) {
Node *next = node->next;
free(node->data);
free(node);
node = next;
}
free(content);
return 0;
}
```
其中,`read_file`函数用于读取文件内容,`split_string`函数用于分割字符串并保存到链表中,`save_list`函数用于将链表内容保存到文件中。在`main`函数中,我们首先调用`read_file`函数读取文件内容,然后调用`split_string`函数将字符串分割成单词并保存到链表中,最后调用`save_list`函数将链表内容保存到文件中。最后别忘了释放内存。
阅读全文