0

我的程序需要从输入文件中读取值(整数和浮点数)。一行中有很多值,用制表符分隔,文件中有很多行。我计划逐行读取整个文件,解析每一行并将整个内容存储到由二维静态数组组成的结构中。然后,当整个内容存储在内存中时,我会进行计算,将结果填充到另一个结构中,最后将该结构的内容转储到输出文件中。当然它不起作用,尝试运行程序时出现分段错误错误。

这就是我定义输入结构的方式:

#define sim_spectrum_constant 122
#define real_spectrum_constant 181
#define num_days 365

  struct spectrum {
    int year[sim_spectrum_constant][num_days];
    int month[sim_spectrum_constant][num_days];
    int day[sim_spectrum_constant][num_days];
    int hour[sim_spectrum_constant][num_days];
    int minute[sim_spectrum_constant][num_days];
    int second[sim_spectrum_constant][num_days];
    float wavelength[sim_spectrum_constant][num_days];
    float irr_total[sim_spectrum_constant][num_days];
    float irr_direct[sim_spectrum_constant][num_days];
    float irr_diffuse[sim_spectrum_constant][num_days];
  };

  struct spectrum pS;

这就是我初始化数组的方式:

// initialization
  for (i=0; i<sim_spectrum_constant; i++) {
    for (j=0; j<num_days; i++) {
      pS.year[i][j] = 0;
      pS.month[i][j] = 0;
      pS.day[i][j] = 0;
      pS.hour[i][j] = 0;
      pS.minute[i][j] = 0;
      pS.second[i][j] = 0;
      pS.wavelength[i][j] = 0.;
      pS.irr_total[i][j] = 0.;
      pS.irr_direct[i][j] = 0.;
      pS.irr_diffuse[i][j] = 0.;
    }
  }

这就是我从输入文件中读取值的方式:

// determining how many simulated spectrums are provided in the file + reading spectrums into the array
  row = 0;
  n = 0;
  if (fgets(line, sizeof(line), pInput_spektrum) == NULL) {
    printf ("****Simulated spectrum doesn't contain any entries!! -- %s\nPress <enter> to exit...\n", strerror(errno));
    getchar();
    exit(-1);
  }

  while(fgets(line, sizeof(line), pInput_spektrum) != NULL) {
    result=sscanf(line, "%i %i %i %i %i %i %f %f %f %f", pS.year[row][n], pS.month[row][n], pS.day[row][n], pS.hour[row][n], pS.minute[row][n], pS.second[row][n], pS.wavelength[row][n], pS.irr_total[row][n], pS.irr_direct[row][n], pS.irr_diffuse[row][n]);
    row ++;
    if (row == sim_spectrum_constant) {
      n ++;
      last_row = row;
      row = 0;
    } 
  }

我的想法、实施或两者都失败了吗?是什么导致分段错误?

谢谢!

4

1 回答 1

0

似乎您没有评估sscanf返回的内容,它返回已解析的参数数量,因此这将是一个有用的检查。通常检查返回值是一件好事

此外,如果您有固定尺寸的固定数组,那么您还应该检查边界,例如 n 不会变得太大。n>=num_days输入数据往往会让我们程序员大吃一惊——以一种糟糕的方式。

您的结构似乎过于复杂,结构的想法是使事情更简单,更有条理,但您将其视为某种整体变量,您可以在其中转储所有内容。您应该考虑在其中包含更多结构,例如日期可能是一个结构,并且以开头的成员irr_xxx似乎也可能是结构的候选者。

例如

struct irr
{
  float total;
  float direct;
  float diffuse;
};
于 2013-05-11T18:41:08.790 回答