0

在 Java 类上工作,这让我很抓狂,因为这个表达式的计算结果为零,我需要它计算为双精度数,然后将其四舍五入到最接近的 int。所以我想要得到的是天数是整数天,但是当我通过 java 运行它时,它评估为 0。当我通过我的计算器运行它时,它评估为正确的值。我很想修复并解释为什么我已经拥有的东西不起作用。

public int getEventDays(){
     //variables
     double daysCalc; 
     int days;

     //logic
     if (getStatus().equals("filling")){
        //this is indented less to fit everything on one line, its not this way in 
        //the fractions are for unit conversion 
        daysCalc= Math.floor(((capacity-storage)/(inflow-outflow))*(43560)*(1/3600)*(1/24));
        days = (int)daysCalc; 

     }
     else if (getStatus().equals("emptying")){
        //this is indented less to fit everything
        //the fractions are for unit conversion 
        daysCalc=Math.floor(((storage-0)/(outflow-inflow))*(43560)*(1/3600)*(1/24)); 
        days = (int)daysCalc;
     }
     else{
         days = -1;
     }

     return days;


}
4

2 回答 2

3

将您的代码更改为:

daysCalc = Math.floor(((storage-0)/(outflow-inflow))*(43560)*(1.0/3600)*(1.0/24));

说明

右手表达式返回一个整数值。在您的情况下,1/3600 舍入为 0,类似于 1/24 的情况。现在通过使用 1.0 而不是 1,它给出了 1/3600 的未舍入浮点值。

于 2016-01-20T03:17:48.237 回答
1

您的问题与表达式中的操作顺序有关。括号周围1/36001/24导致这些表达式首先被评估 - 由于每个除法在除法的任一侧都有一个整数类型的表达式,因此它被视为整数除法。换句话说,1/36001/24都被评估为整数,结果为零。这意味着您的算术包括几次乘以零,这就是您的结果为零的原因。

最简单的解决方法是了解乘以某个数字的倒数与除以该数字相同。换句话说,您可以将计算简化为

daysCalc = Math.floor( storage / ( outflow - inflow ) * 43560 / 3600 / 24 );

它将给出正确的结果,提供storageoutflow并且inflow不都是整数。

另一方面,如果storageoutflow都是inflow整数,那么您需要确保第一个除法也不被视为整数除法。你可以通过写来做到这一点

daysCalc = Math.floor((double) storage / ( outflow - inflow ) * 43560 / 3600 / 24 );

强制除法用浮点运算完成;之后,每个除法都以浮点数完成。

于 2016-01-20T10:19:39.277 回答