问题如下:我有一个大的或小的数字(可以是任意一个),我需要调整这个数字,并把它通过计算。考虑到计算结果,它必须至少在小数点后5位取某个值。
因此,我需要建立一个方法来获取这个起始值,并在给定当前结果的情况下尝试增大或减小它,直到得到正确的结果我做了一些没有成功的尝试。
这里有一个例子,一点也不讨好,但它暗示了我的意思…(这只是一个小规模的测试用例)

   public class Test {
        public static void main(String[]args)
        {
            double ran = 100 + (int)(Math.random() * 100000.999999999);
            int count = 0;
            double tmpPay = 3666.545;
            double top = tmpPay;
            double low = 0;

            while ( tmpPay != ran )
            {
                if ( tmpPay > ran)
                {
                    if( low == 0)
                    {
                            tmpPay = top / 2;
                            top = tmpPay;
                    }
                    else
                    {
                        tmpPay = tmpPay + ((top - low) / 2);
                        top = tmpPay;
                    }
                }

                if (tmpPay  < ran)
                {
                    tmpPay = top * 1.5;
                    low = top;
                    top = tmpPay;
                }
            }
            System.out.println(" VAlue of RAN: " +ran + "----VALUE OF tmpPay: " + tmpPay + "---------- COUNTER: " + count);
}

例2可能有更清楚的描述这是我现在的解决办法。
guessingValue = firstImput;

while (amortization > tmpPV)
{
    guessingValue -= (decimal)1;
    //guessingVlue -- > blackbox
    amortization = blackboxResults;
}
 while (amortization < tmpPV)
{
    guessingValue += (decimal)0.00001;
    //guessingVlue -- > blackbox
    amortization = blackboxResults;
}

}

最佳答案

正如我在上面的注释中已经提到的,您不应该使用内置运算符比较double。这是代码无法工作的主要原因第二个是else子句tmppay=tmppay+((top low)/2);而不是tmppay=tmppay-((top low)/2);
完整的固定代码如下:

public class Test {
    private static final double EPSILON = 0.00001;
    public static boolean isEqual( double a, double b){

        return (Math.abs(a - b) < EPSILON);

    }


    public static void main(String[]args)
    {

        double ran = 100 + (int)(Math.random() * 100000.999999999);
        int count = 0;
        double tmpPay = 3666.545;
        double top = tmpPay;
        double low = 0;

        while ( !isEqual(tmpPay, ran))
        {
            if ( tmpPay > ran)
            {
                if( isEqual(low, 0.0))
                {
                        tmpPay = top / 2;
                        top = tmpPay;
                }
                else
                {
                    tmpPay = tmpPay - ((top - low) / 2);
                    top = tmpPay;
                }
            }

            if (tmpPay  < ran)
            {
                tmpPay = top * 1.5;
                low = top;
                top = tmpPay;
            }
            System.out.println("RAN:"+ran+" tmpPay:"+tmpPay+" top:"+top+" low:"+low+" counter:"+count);
            count++;
        }
        System.out.println(" VAlue of RAN: " +ran + "----VALUE OF tmpPay: " + tmpPay + "---------- COUNTER: " + count);




    }
}

10-08 01:12