在我的eclipse项目中,我有一个java类,使用重载方法验证不同类型的对象是否为空:
public class EmptyProof {
public static boolean isEmpty(String field) {
System.out.println("String " + field);
return field == null || field.trim().equals("");
}
public static boolean isEmpty(BigDecimal d) {
System.out.println("BI " + d.toString());
return d == null || d.compareTo(new BigDecimal("0")) == 0;
}
public static boolean isEmpty(Object input) {
System.out.println("obj " + input.toString());
return input == null || String.valueOf(input).length() == 0;
}
}
现在我想在Spock中编写单元测试:
import org.junit.Assert;
import org.junit.Before;
import org.junit.Test;
import spock.lang.Specification;
class EmptyProofSpec extends Specification {
def 'must evaluate emptiness of a String correctly'() {
expect: "isEmpty for String returns the right answer"
System.out.println("test string " + bi.toString());
EmptyProof.isEmpty(str as String) == result
where: "using this table"
str || result
"" || true
null || true
"a" || false
}
def 'must evaluate emptiness of a BigInteger correctly'() {
expect:
System.out.println("test BigInt " + bi.toString());
EmptyProof.isEmpty(bi as BigInteger) == result
where: "using this table"
bi || result
BigInteger.ONE || false
new BigInteger(Integer.MIN_VALUE) as BigInteger || false
// null as BigInteger || true
// BigInteger.ZERO as BigInteger || true
}
}
这会在控制台中显示以下输出:
test string
String
test string null
test string a
String a
test BigInt 1
obj 1
test BigInt -2147483648
obj -2147483648
正如您可以看到我使用String对象的测试调用isEmpty(String)。但我使用BigInteger的调用不会调用isEmpty(BigInteger),而是调用isEmpty(Object)。我想用BigInteger.ZERO添加我的测试,但这会失败,因为Object-method不关心0。
我已经尝试过像cast和@CompileStatic注释这样的东西。但没有成功。
我是否可以指示Spock使用BigInteger方法而不更改我的Java类?
答案 0 :(得分:2)
它故障转移到isEmpty(Object)
的原因是因为没有为BigInteger
定义方法。存在的那个是为BigDecimal
public static boolean isEmpty(BigDecimal d) { ... }
为BigInteger
添加/编辑一个。
另请注意,null
案例将回归Object
。