如何从文本文件读取数据并将其作为结构存储?

时间:2019-03-14 21:24:01

标签: c file

我们将此文件称为f1.txt,它具有给定的属性。

  • 学生代码
  • 名称
  • ID

和另一个文件的驻留结构(我们称之为f2.txt)将使用以下属性进行读取

  • ID
  • 城市

和居住地将通过键盘询问。

我试图在某个时候被卡住

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

struct student
{
    int student_code;
    char name[20];
    char ID[20];
};

int main()
{
    FILE *input_file;
    struct student input;

    input_file = fopen("f1.txt", "r");
    if(input_file == NULL)
    {
        fprintf(stderr, "\nError!\n");
        exit(1);
    }

    while(fread(&input, sizeof(struct student), 1, input_file))
        printf("student code = %d name = %s ID = %s", input.student_code, 
input.name, input.ID);
    fclose(input_file);

return 0;

}

我是C编程的新手

例如f1.txt文件将采用以下格式

f1.txt
123456 yourname 987654
564566 test 454545

2 个答案:

答案 0 :(得分:1)

  1. 使用fscanf读取行,因为您知道格式

  2. 将值存储到临时变量

  3. 将其复制到适当的数据结构中:如果您不知道使用动态数组或列表的学生人数。

编辑: 数组允许随机访问,而列表仅允许顺序访问。 这是我尝试使用列表的方法:

typedef struct student
{
    int student_code;
    char name[20];
    char ID[20];
    struct student* next;
}student_t;

typedef struct list_s
{
    int size;
    student_t* head;
    student_t* tail;
} list_t;

void list_push_back(list_t* l, int code, char n[20], char id[20])
{
    student_t* tmp = (student_t*)calloc(1,sizeof(*tmp));
    tmp->student_code = code;
    strncpy(tmp->name, n, 20);
    strncpy(tmp->ID, id, 20);

    if (l->head == NULL)
    {
        l->head = tmp;
        l->tail = tmp;
        l->size++;
        return;
    }

    l->tail->next = tmp;
    l->size++;
}

void list_print(list_t* l)
{
    student_t* it = l->head;

    while (it)
    {
        fprintf(stdout, "%d %s %s\n", it->student_code, it->name, it->ID);
        it = it->next;
    }
}

int main(int argc, char* argv[])
{
    FILE *input_file;
    struct student input;

    input_file = fopen("f1.txt", "r");
    if (input_file == NULL)
    {
        fprintf(stderr, "\nError!\n");
        exit(1);
    }

    list_t* list = (list_t*)calloc(1,sizeof(*list));

    char tmp_name[20];
    char tmp_id[20];
    int tmp_code = 0;

    while (fscanf(input_file, "%d %s %s", &tmp_code, tmp_name, tmp_id) != EOF)
    {
        list_push_back(list, tmp_code, tmp_name, tmp_id);
    }

    fclose(input_file);

    list_print(list);

    return 0;
}

答案 1 :(得分:1)

要将单个记录读入结构input

fscanf( input_file, "%d %s %s", &input.student_code, input.name, input.ID )

将整数和两个字符串读入相关成员。

fscanf()返回成功分配的格式化字段的数量,以便以您的代码尝试的方式显示文件中的所有记录:

while( fscanf( input_file, "%d %s %s", &input.student_code, 
                                       input.name, 
                                       input.ID ) == 3 )
{
    printf( "student code = %d, name = %s, ID = %s\n", input.student_code,
                                                       input.name, 
                                                       input.ID ) ;
}