6

我正在尝试验证 aListView不包含特定项目。这是我正在使用的代码:

onData(allOf(is(instanceOf(Contact.class)), is(withContactItemName(is("TestName")))))
      .check(doesNotExist());

当名称存在时,由于check(doesNotExist()). 当名称不存在时,我收到以下错误,因为allOf(...)不匹配任何内容:

Caused by: java.lang.RuntimeException: No data found matching: 
(is an instance of layer.sdk.contacts.Contact and is with contact item name:
is "TestName")

我怎样才能获得类似的功能onData(...).check(doesNotExist())

编辑:

通过使用 try/catch 并检查事件的 getCause(),我有一个可怕的 hack 来获得我想要的功能。我很想用一种好的技术来代替它。

4

1 回答 1

14

根据 Espresso 示例,您不能使用它onData(...)来检查适配器中是否不存在视图。查看此链接。阅读“断言数据项不在适配器中”部分。您必须使用匹配器onView()来找到 AdapterView。

基于以上链接中的 Espresso 样品:

  1. 匹配器:

     private static Matcher<View> withAdaptedData(final Matcher<Object> dataMatcher) {
         return new TypeSafeMatcher<View>() {
    
             @Override
             public void describeTo(Description description) {
                 description.appendText("with class name: ");
                 dataMatcher.describeTo(description);
             }
    
             @Override
             public boolean matchesSafely(View view) {
                 if (!(view instanceof AdapterView)) {
                     return false;
                 }
    
                 @SuppressWarnings("rawtypes")
                 Adapter adapter = ((AdapterView) view).getAdapter();
                 for (int i = 0; i < adapter.getCount(); i++) {
                     if (dataMatcher.matches(adapter.getItem(i))) {
                         return true;
                     }
                 }
                 return false;
             }
         };
     }
    
  2. 那么,你的适配器 ListView 的 idonView(...)在哪里:R.id.list

     @SuppressWarnings("unchecked")
     public void testDataItemNotInAdapter(){
         onView(withId(R.id.list))
             .check(matches(not(withAdaptedData(is(withContactItemName("TestName"))))));
     }
    

还有一个建议 - 为了避免is(withContactItemName(is("TestName"))将以下代码添加到您的匹配器中:

    public static Matcher<Object> withContactItemName(String itemText) {
        checkArgument( itemText != null );
        return withContactItemName(equalTo(itemText));
    }

那么您将拥有更具可读性和清晰的代码is(withContactItemName("TestName")

于 2014-01-16T23:30:21.020 回答