C 将存档的行转换为数组

C Turning lines of an archive into arrays

我有一个存档,我想将每一行都变成一个数组:v[i].data。 但是,当我 运行 代码时,它显示数组为零。 有什么我应该改变的吗?

输入

1760
02/20/18,11403.7
02/19/18,11225.3
02/18/18,10551.8
02/17/18,11112.7
02/16/18,10233.9

实际输出

1761
0

预期输出

1761
02/20/18,11403.7

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


typedef struct{
    char data[20];

}vetor;

int main(int argc,char *argv[]){
    FILE *csv;

        if((csv=fopen(argv[1], "r")) == NULL  )
        {
            printf("not found csv\n");
            exit(1);
        }


        long int a=0;

        char linha[256];

        char *token = NULL;

        if(fgets(linha, sizeof(linha), csv)) //counting lines
        {
            token = strtok(linha, "\n");
            a =(1 + atoi(token));
        }


        printf("%d\n", a);

        rewind(csv);

        vetor *v;

        v=(vetor*)malloc(a*sizeof(vetor));

        char linha2[256];

        while (fgets(linha2, sizeof(linha2), csv) != 0)
        {
            fseek(csv, +1, SEEK_CUR);

            for(int i=0;i<a;i++)
            {   
                fscanf(csv, "%[^\n]", v[i].data);


            }
        }

        printf("%s\n", v[0].data);


    fclose(csv);


    return 0;
}

有很多错误,所以我继续重写了问题区域,并在评论中解释了我所做的事情

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

typedef struct{
    char data[20];

}vetor;

int main(int argc,char *argv[]){
    FILE *csv;

    if((csv=fopen(argv[1], "r")) == NULL  )
    {
        printf("not found csv\n");
        exit(1);
    }

    char line[20];

    // Read number of lines
    int num_lines = 0;
    if (!fgets(line, sizeof(line), csv)) {
        printf("Cannot read line\n");
        exit(1);    
    }
    char* token = strtok(line, "\n");
    num_lines = atoi(token) + 1;
    vetor* v = malloc(num_lines * sizeof(vetor));

    // Fill in vetor
    int i = 0;
    while (fgets(line, sizeof(line), csv) != NULL) {
        int len = strlen(line);
        line[len-1] = '[=10=]'; // replace newline with string terminator
        strcpy(v[i].data, line); //copy line into v[i].data
        i++;
    }

    printf("%d\n", num_lines);
    for (i = 0; i < num_lines; i++) {
            printf("%s\n", v[i].data);
    }

    return 0;
}

我认为主要的错误是误解了如何最好地阅读每行信息。如果我理解正确的话,您希望每个 02/20/18,11403.7 行都是 vetor 数组中的一个元素。

最简单的方法是使用 fgets 一次获取每一行

while (fgets(line, sizeof(line), csv) != NULL) 

将结束字符从换行符更改为字符串终止符'[=16=]'

int len = strlen(line);
line[len-1] = '[=12=]';

然后将字符串复制到 vetor 的第 i 个元素并更新 i 以用于下一次循环迭代。

strcpy(v[i].data, line);
i++;