因此,我得到了一个写一个计数器的任务,该计数器将给定的美元和美分加起来。我们给了一个用于测试功能的测试类。

我们得到了以下提示:

public int dollars () //The dollar count.
ensure: this.dollars () >= 0

public int cents () //The cents count.
ensure: 0 <= this.cents() && this.cents() <= 99


和:

public void add (int dollars, int cents) //Add the specified dollars and cents to this Counter.
public void reset () //Reset this Counter to 0.
ensure: this .dollars() == 0 && this.cents() == 0


这是我当前的代码:

public class Counter {

    private float count;

    public Counter() {
        count = 0;
    }

    public int dollars() {
        if (this.dollars() >= 0) {
            count = count + Float.parseFloat(this.dollars() + "." + 0);
        } return 0;
    }

    public int cents() {
        if (0 <= this.cents() && this.cents() <= 99) {
            count = count + Float.parseFloat(+0 + "." + this.cents());
        } else if (100 <= this.cents()) {
            count = count + Float.parseFloat(+1 + "." + (this.cents() - 100));
        }
        return 0;
    }

    public void add(int dollars, int cents) {
        dollars = this.dollars();
        cents = this.cents();
    }

    public void reset() {
        count = 0;
    }

    /**
     * @param args
     */
    public static void main(String[] args) {
        // TODO Auto-generated method stub
    }
}


我意识到我在这里犯了错误(应该是在浮动汇率上,并试图计算浮动汇率的美元和美分部分)。但是我无法确切指出失败的地方。

最佳答案

public final class Counter {

    private int cents;

    public int dollars() {
        return cents / 100;
    }

    public int cents() {
        return cents;    // if you want to retrun all centes
        // return cents % 100;    // if you want to return cents less than dollar
    }

    public void add(int dollars, int cents) {
        this.cents = dollars * 100 + cents;
    }

    public void reset() {
        cents = 0;
    }
}


金融编程的一个非常重要的规则:切勿将浮点数用作对付货币。您肯定很快或什至很快就会遇到问题。参见我的示例,实际上,您可以很容易地实现计数器,只需将美分持有为int(如我所见,您就没有美分)。

附言未来的诀窍

假设您需要一个浮点值并支持所有标准数学运算,例如+,-,/,*。例如。美元和整数美分(例如您的示例),并且您不能(或不想)使用浮点运算。你该怎么办?

只需以整数值存储两个Lows digis作为小数部分。让我们以价格$ 12为例:

int price = 1200;    // 00 is reserverd for centes, , price is $12
price += 600;        // add $6, price is $18
price += 44;         // add $0.44, price is $18.55

int dollars = price / 100;   // retrieve total dollars - $18
int cents = cents % 100;     // retrieve cents less than dollars - 44

09-25 21:53