C - 读取并存储数据文件以进行进一步计算

时间:2014-06-04 23:56:12

标签: c

我通常使用R,并且在理解C时遇到很多麻烦。我需要读取并存储数据文件,如下所示,以便我可以对数据执行计算。这些计算取决于用户输入的信息。这是我正在尝试阅读的数据(在我的代码中称为“Downloads / exchange.dat”),

dollar   1.00
yen      0.0078
franc    0.20
mark     0.68
pound    1.96

这是我到目前为止的地方。这只读取第一行数据并返回它,这不是我想要的。我需要阅读整个文件,用各自的货币存储汇率,以后能够对它们进行计算。

我想我可能需要一个typedef?在程序的后面,我向用户询问“转换自?”等信息。并“转换为?”。在这种情况下,他们将输入“mark”,“yen”,“dollar”等,我希望将他们对各自汇率的回应(使用string.h库)进行匹配。

我的代码到目前为止,要读入数据:

#include <stdio.h>

main(int argc, char *argv[])
{
    FILE *fpt;  // define a pointer to pre-defined structure type FILE
    char c;

    // open the data file for reading only
    if ((fpt = fopen("Downloads/exchange.dat", "r")) == NULL)
        printf("\nERROR - Cannot open the designated file\n");

    else   // read and display each character from the data file
        do
            putchar(c = getc(fpt));
        while (c != '\n');

    // close the data file
    fclose(fpt);
}

我觉得我需要类似的东西,但读取和存储整个数据文件完全不同。感谢您的帮助。

3 个答案:

答案 0 :(得分:2)

您需要创建一个数据结构来保存它们,然后创建一个这个结构的向量来保存每个货币。您应该使用fscanf函数,它不仅可以避免手动分割值,还可以为您转换它们。我想出了以下内容:

/* to store each currency you read */
struct currency {
  char name[256];
  double value;
};

int main(int argc, char ** argv) {
  FILE * fp = fopen("x.dat", "r");
  int count = 0, i;
  struct currency currencies[30];

  /* this will read at most 30 currencies, and stop in case a
   * end of file is reached */
  while (count < 30 && !feof(fp)) {
    /* fscanf reads from fp and returns the amount of conversions it made */
    i = fscanf(fp, "%s %lf\n", currencies[count].name, &currencies[count].value);

    /* we expect 2 conversions to happen, if anything differs
     * this possibly means end of file. */
    if (i == 2) {
      /* for the fun, print the values */
      printf("got %s %lf\n", currencies[count].name, currencies[count].value);
      count++;
    }
  }
  return 0;
}

要再次阅读它们,您需要迭代currencies数组,直到达到count次迭代。

由于您已经希望将这些值与strcmp函数匹配,请读取货币名称,迭代数组,直到找到匹配项,然后对这些值进行计算。

这是基本的C知识,据我所知,你不习惯使用它,我强烈建议你read a book在其中找到这些答案。

答案 1 :(得分:0)

写作的一个例子:

FILE *fp;
fp=fopen("c:\\test.bin", "wb");
char x[10]="ABCDEFGHIJ";
fwrite(x, sizeof(x[0]), sizeof(x)/sizeof(x[0]), fp);

(写声明)

size_t fwrite(const void *ptr, size_t size_of_elements, size_t number_of_elements, FILE *a_file);

如果你要阅读,

size_t fread(void *ptr, size_t size_of_elements, size_t number_of_elements, FILE *a_file);

答案 2 :(得分:0)

我建议你

  • 定义一个结构:

typedef struct{ char currency[10]; double rate; }rate_currency;

  • 函数getline:

在主函数中使用getline逐行读取文件:

while ((read = getline(&line, &len, fpt)) != -1) ...
  • 独立的:

    使用strchr搜索space character以将货币名称与货币汇率分开

  • 插入:

声明前一个struct的数组:

rate_currency arrOfStruct[10]; 然后,逐个插入 例如:

arrOfStruct [0] .currency =“dollar”; //在你阅读并分开之后...... arrOfStruct [0] .rate = 1.00;

  • 你做完了!