使用assertThat测试列表列表是否包含特定元素



我尝试使用Assert#assertThat检查列表列表中的每个列表是否包含特定值。

我已经写了这个代码,但它不起作用。测试未编译,代码用红线下划线,并显示错误消息(查看注释(:

List<List<String>> testedList = new ArrayList<>();
List<String> firstList = new ArrayList<>();
firstList.add("1");
firstList.add("2");
List<String> secondList = new ArrayList<>();
secondList.add("2");
secondList.add("3");
testedList.add(firstList);
testedList.add(secondList);
Assert.assertThat(testedList, CoreMatchers.everyItem(CoreMatchers.hasItem("2")));
//          Required type       Provided
// actual:  T                   List<java.util.List<java.lang.String>>
// matcher: Matcher<? super T>  Matcher<Iterable<Iterable<? super String>>>

即使使用显式类型:

Assert.assertThat(testedList, CoreMatchers.<List<String>>everyItem(CoreMatchers.<String>hasItem("2")));
// Required type: Matcher<List<String>> 
// Provided:      Matcher<Iterable<? super String>>

如果它只是字符串列表,我可以检查每个字符串是否包含这样的特定字母:

List<String> testedList = new ArrayList<>();
testedList.add("1a");
testedList.add("2a");
Assert.assertThat(testedList, CoreMatchers.everyItem(CoreMatchers.containsString("a")));

那么我的代码出了什么问题?我该怎么修?

进口:

import org.hamcrest.CoreMatchers;
import org.junit.Assert;
import org.junit.Test;
import java.util.List;
import java.util.ArrayList;

渐变依赖关系:

testCompile group: 'junit', name: 'junit', version: '4.12'

我认为everyItem匹配器不是为与hasItem一起工作而设计的,正如您所发现的那样,您将陷入泛型地狱。

我看不到一个简单的解决方案,除了定义一个匹配器;封装";泛型限制,并将委托给hasItem匹配器。幸运的是,定义一个新的匹配器真的很容易。看看:

private class HasItemMatcher<T> extends BaseMatcher<List<T>> {
private final Matcher<Iterable<? super T>> iterableMatcher;
public HasItemMatcher(T value) {
this.iterableMatcher = CoreMatchers.hasItem(value);
}
@Override
public boolean matches(Object item) {
return iterableMatcher.matches(item);
}
@Override
public void describeTo(Description description) {
iterableMatcher.describeTo(description);
}
}

这个代码片段是不言自明的。它将所有工作委派给现有的匹配器。

考虑到这一点,您可以将测试重写为:

@Test
public void sampleTest() {
List<List<String>> testedList = new ArrayList<>();
List<String> firstList = new ArrayList<>();
firstList.add("1");
firstList.add("2");
List<String> secondList = new ArrayList<>();
secondList.add("2");
secondList.add("3");
testedList.add(firstList);
testedList.add(secondList);
Assert.assertThat(testedList, CoreMatchers.everyItem(new HasItemMatcher<>("2")));
}

我希望这能有所帮助,我尝试了一种不同的方法来搜索元素。我使用嵌套的foreach循环来查看列表列表是否包含该特定元素。

List<List<String>> testedList = new ArrayList<>();
boolean exist = false;
List<String> firstList = new ArrayList<>();
firstList.add("1");
firstList.add("2");
List<String> secondList = new ArrayList<>();
secondList.add("2");
secondList.add("3");
testedList.add(firstList);
testedList.add(secondList);
for(List <String> e : testedList){
for(String i : e){
if(i.equalsIgnoreCase("2"))
exist = true;
}
}System.out.println(exist);`

相关内容

  • 没有找到相关文章

最新更新