在C中使用fgets和strtok读取文件并将信息保存在点赞列表中



我试图读取一个只有一行名称用逗号分隔的文件,所以我使用fgets读取该行,然后用strtok分隔名称,然后我想将这些名称保存在链表中。我正在使用CodeBlocks,当我运行程序时,它会显示以下消息:"进程已终止,状态为1073741510">

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <assert.h>
#define MAX_CHAR 200
typedef struct Names{
char* name;
struct Names* next;
}Names;
Names* create_list(){
Names* aux = (Names*) malloc (sizeof(Names));
assert(aux);
aux->next = NULL;
return aux;
}
void insert_name (Names* n, char* p){
Names* aux = (Names*)malloc(sizeof(Names));
aux->name = p;
while(n->next!=NULL){
n=n->next;
}
aux->next=n->next;
n->next=aux;
}
void config(Names*p){
FILE* fp = fopen( "names.txt", "r");
if(fp == NULL){
printf("Error opening file");
return;
}
else{
char line[MAX_CHAR],*token;
fgets(line, MAX_CHAR, fp);
token = strtok(line,",");
insert_name(p,token);
while(token != NULL);{
token = strtok(NULL,",");
insert_name(p,token);
}
fclose(fp);
}
}
void print_list(Names* n){
Names* l = n->next;
while (l){
printf("%sn",l->name);
l = l -> next;
}
}
int main()
{
Names* n;
n = create_list();
config(n);
print_list(n);
return 0;
}

这里有一个无限循环:

while(token != NULL);{

分号终止while的"正文",大括号只打开一个未附加到任何控制结构的代码块。(这是合法的,也是C99之前确定变量范围的一种方式。(

如果没有分号,循环仍然是错误的:只有当您知道令牌不是NULL:时,才应该插入

token = strtok(line,",");
while (token != NULL) {
insert_name(p,token);
token = strtok(NULL,",");
}

您的代码中仍然存在错误:

  • 您的令牌是指向本地数组"行. When you leave配置, these pointers become invalid, because行"的指针,它将变为无效。您应该复制字符串,而不是只存储一个指针
  • 在程序结束时,每次调用malloc都应该调用free。在其他方面,清理你的清单

我认为首先需要修改名称到strcpy或memcpy的分配,并使用动态分配

aux->name = (char*) malloc(strlen(p));
strcpy(aux->name, p);

typedef struct Names{
char name[MAX_NAME_LEN];
struct Names* next;
}Names;
//and use strcpy or memcpy in insert_name function

希望这会有所帮助。

相关内容

  • 没有找到相关文章