我正在使用Hamcrest CoreMatcher
类作为spring-test
集成测试的一部分。我的JSON看起来像:
{"data":[{"distanceInMiles":4,"id":"f97236ba-f4ef-4...
我的集成测试看起来像:
double miles = 4.0
Activity a = new BasicActivity(miles);
this.activityManager.add(a); // A mock activity manager (in-memory)
...
this.mockMvc.perform(get("/").accept("application/json"))
.andExpect(jsonPath("$.data[0].distanceInMiles", is(miles)))
但是,断言失败了:
java.lang.AssertionError: JSON path "$.data[0].distanceInMiles"
Expected: is <4.0>
but: was <4>
at org.hamcrest.MatcherAssert.assertThat(MatcherAssert.java:20)
我知道这里有一个单独的IsCloseTo
匹配器:http://hamcrest.org/JavaHamcrest/javadoc/1.3/org/hamcrest/number/IsCloseTo.html,但是像这样使用它:
.andExpect(jsonPath("$.data[0].distanceInMiles", closeTo(miles, 0)))
导致一个奇怪的错误:
java.lang.AssertionError: JSON path "$.data[0].distanceInMiles"
Expected: a numeric value within <0.0> of <4.0>
but: was a java.lang.Integer (<4>)
at org.hamcrest.MatcherAssert.assertThat(MatcherAssert.java:20)
我希望避免包含某种错误 - 我希望返回的值正好是4
,我只是不关心包含多少尾随零。
答案 0 :(得分:2)
问题是匹配是在Integer
上进行的,而不是在双值上进行。
您正确地提供Matcher<Double>
。 Spring使用Jayway来解析JSON,你的JSON路径将被评估为Integer
对象。匹配将失败,因为Integer
和Double
始终不相等。
因此,您需要将Matcher
更改为is((int) miles)
。
如果您不控制所获得的JSON并且distanceInMiles
可能会发生变化,则会出现问题。 Jayway将"4"
解析为Integer
,但会将"4.0"
解析为Double
。在这种情况下,您必须实现自己的Matcher
,通过扩展Integer
来处理Double
和TypeSafeMatcher
个对象。这将是一个简单的实现:
class NumberMatcher extends TypeSafeMatcher<Number> {
private double value;
public NumberMatcher(double value) {
this.value = value;
}
@Override
public void describeTo(Description description) {
// some description
}
@Override
protected boolean matchesSafely(Number item) {
return item.doubleValue() == value;
}
}
它通过将其double值与已知的double值进行比较来匹配任何Number
。
答案 1 :(得分:1)
我发现默认情况下比较为float,所以尝试类似:
.body("field_with_double_value",is(100.0f));