我正在编写一个程序,该程序从单独的信号和背景文件中读取波长和强度数据(因此每个文件都由多对波长和强度组成)。如您所见,我通过创建一个结构,然后在循环中使用fscanf将值分配给该结构中的适当元素来做到这一点。读入数据后,程序应将其绘制在每个文件中记录的波长重叠的间隔上,即公共波长范围。波长在此重叠存在的地方完美对齐,并且已知间隔恒定。因此,我辨别结构数组中哪些元素适用的方法是确定两个文件的最小波长中哪个较高,最大波长中哪个较低。然后,对于具有较低最小值和较高最大值的文件,我将找到此值与较高最小值/较低最大值之间的差,然后将其除以恒定步长以确定要偏移的元素数。这是可行的,除非完成数学运算,否则程序将返回完全无法解释的错误答案。

在下面的代码中,我通过计算一个元素与其之前的元素之间的波长差,将恒定步长定义为lambdastep。用我的样本数据,它是.002,由printf确认。但是,当我运行程序并用lambdastep除时,我得到了错误的答案。当我运行程序除以.002时,我得到正确的答案。为什么会这样呢?我没有想到的任何解释。

#include<stdio.h>
#include<math.h>
#include<stdlib.h>
#include "plots.h"

struct spectrum{
    double lambda;
    double intensity;
};

main(){
double a=0,b=0,c=0,d=0,lambdastep,smin,smax,bmin,bmax,tmin,tmax,sintmin,bintmin,tintmin,sintmax,bintmax,tintmax,ymin,ymax;
int ns,nb,nt,i=0,sminel,smaxel,bminel,bmaxel,tminel,tmaxel;
double min(struct spectrum *a,int,int);
double max(struct spectrum *a,int,int);
FILE *Input;
Input = fopen("sig.dat","r");
FILE *InputII;
InputII = fopen("bck.dat","r");
fscanf(Input,"%d",&ns);
fscanf(InputII,"%d",&nb);
struct spectrum signal[ns];
struct spectrum background[nb];
struct spectrum *s = &signal[0];
struct spectrum *ba = &background[0];
s = malloc(ns*sizeof(struct spectrum));
ba = malloc(nb*sizeof(struct spectrum));
while( fscanf(Input,"%lf%lf",&a,&b) != EOF){
    signal[i].lambda = a;
    signal[i].intensity = b;
    i++;
}
i = 0;
while( fscanf(InputII,"%lf%lf",&c,&d) != EOF){
    background[i].lambda = c;
    background[i].intensity = d;
    i++;
}
for (i=0; i < ns ;i++){
    printf("%.7lf %.7lf\n", signal[i].lambda,signal[i].intensity);
}
printf("\n");
for (i=0; i < nb ;i++){
    printf("%.7lf %.7lf\n", background[i].lambda,background[i].intensity);
}
lambdastep = signal[1].lambda - signal[0].lambda;           //this is where I define lambdastep as the interval between two measurements
smin = signal[0].lambda;
smax = signal[ns-1].lambda;
bmin = background[0].lambda;
bmax = background[nb-1].lambda;
if (smin > bmin)
    tmin = smin;
else
    tmin = bmin;
if (smax > bmax)
    tmax = bmax;
else
    tmax = smax;
printf("%lf %lf %lf %lf %lf %lf %lf\n",lambdastep,smin,smax,bmin,bmax,tmin,tmax);   //here is where I confirm that it is .002, which is the expected value
sminel = (tmin-smin)/(lambdastep);  //sminel should be 27, but it returns 26 when lamdastep is used. it works right when .002 is directly entered , but not with lambdastep, even though i already confirmed they are exactly the same. why?

最佳答案

sminel是整数,因此在计算结束时,(tmin-smin)/lambdastep将转换为整数。

lambdastep中的一个非常细微的差异可能是获取例如27.00001和26.99999;后者在转换为int时会截断为26。

尝试使用floorceilround更好地控制返回值的舍入。

10-07 23:13