我使用另一个类减去了两个Object,但是当我返回新值并与预期值进行比较时,即使它是相同的值(我认为),它也会给出错误。
我尝试使用if语句,但结果是一样的。
if(expected.current_Money.toString().equals(0.5)){
System.out.println(" if statmenet is working...");
}
else
{
System.out.println("failed");
}
导入第一个类(最好不要更改它)。
import org.assertj.core.api.ThrowableAssert;
import org.junit.jupiter.api.Test;
import java.math.BigDecimal;
import static org.assertj.core.api.Assertions.assertThat;
import static org.assertj.core.api.Assertions.assertThatThrownBy;
在同一个文件中,我们有这个方法。
@Test
void subtract_two_money_should_be_correct() {
Money oneDinar = new Money(BigDecimal.valueOf(1));
Money halfDinar = new Money(BigDecimal.valueOf(0.5));
System.out.println("Value of oneDinar
"+oneDinar.current_Money.toString());
System.out.println("Value of halfDinar
"+halfDinar.current_Money.toString());
//Money expected = oneDinar.subtract(halfDinar);
Money expected = new Money(BigDecimal.valueOf(0.5));
System.out.println("the Value of Expected
"+expected.current_Money.toString());
assertThat(expected).isEqualTo(new Money(BigDecimal.valueOf(0.5)));
}
减法的输出保存到一个对象中,其中的变量具有BigDecimal数据类型。
在另一个文件上。进口
import java.math.BigDecimal;
我们在第二个类中有这些字段(变量)。
public static final Money HALF_DINAR = new
Money(BigDecimal.valueOf(0.5));
public static final Money QUARTER_DINAR = new
Money(BigDecimal.valueOf(0.25)) ;
public static final Money DINAR = new Money(BigDecimal.valueOf(1));
public BigDecimal current_Money;
这是最后一件事,我们用来减去的方法。
public Money subtract(Money SubtractMoney) {
System.out.println("TheValue of current money "+current_Money.toString());
Money current = new Money(current_Money);
System.out.println("TheValue of current "+current.current_Money.toString());
BigDecimal subtractedNumber = current_Money.subtract(new BigDecimal(String.valueOf(SubtractMoney.current_Money)));
System.out.println("TheValue of subtractedNumber"+subtractedNumber.toString());
Money newMoney = new Money(subtractedNumber);
System.out.println("TheValue of newMoney "+newMoney.current_Money.toString());
return newMoney ;
}
我希望输出将是相同的对象(在数字上是相同的,但它给予我的错误,即使我使用if语句或Assertthat。
我希望输出是真的,没有错误。数字也是0.5,这是目标。
输出:
Value of oneDinar 1
Value of halfDinar 0.5
TheValue of current money 1
TheValue of current 1
TheValue of subtractedNumber0.5
TheValue of newMoney 0.5
the Value of Expected 0.5
org.opentest4j.AssertionFailedError:
Expecting:
<com.progressoft.induction.Money@123f1134>
to be equal to:
<com.progressoft.induction.Money@7d68ef40>
but was not.
Expected :com.progressoft.induction.Money@7d68ef40
Actual :com.progressoft.induction.Money@123f1134
2条答案
按热度按时间efzxgjgh1#
AssertJ的
isEqualTo(...)
函数在内部使用objects equals方法来确定相等性。因此,您应该在Money
类中覆盖equals()
方法。然后您可以通过内容而不是对象标识来比较示例,即如果值相同,则认为示例相等。if (expected.current_Money.toString().equals(0.5))
语句中的比较不起作用,因为expected.current_Money.toString()
部分是一个字符串,而0.5
被自动装箱到一个Double对象。因此,由于类不同,equals比较失败。旁注:当你重写
equals()
方法时,你也需要重写hashcode()
函数来匹配equals()
函数。否则很多类(例如HashMap
)可能会行为不当,因为它们假设equals和hashcode基于相同的假设工作。blpfk2vs2#
使用
.isEqualByComparingTo()
进行BigDecimal
Assert