Android Espresso. How to check ErrorText in TextInputLayout

I think that you would like to set error on TextInputLayout not on EditText. If it is correct, in the following way you could achieve this.

 onView(withId(R.id.ti_email)).check(matches(hasDescendant(
    withText(ctx.getString(R.string.authentication_error_empty_email))))
 )

You could write a Custom Matcher:

public final class CustomItemMatchers {

private static class TextInputLayoutErrorMatcher extends BoundedMatcher<Object, Wrapper> {

  private final Matcher<String> itemTextMatcher;

  public TextInputLayoutErrorMatcher(final Matcher<String> itemTextMatcher){
     super(TextInputLayout.class);
     this.itemTextMatcher = itemTextMatcher;
  }

  @Override
  public void describeTo(Description description) {
     description.appendText("with error  content: ");
     itemTextMatcher.describeTo(description);
  }

  @Override
  protected boolean matchesSafely(TextInputLayout til) {
     if (til == null) {
        return false;
     }
     return itemTextMatcher.matches((til.getError());
  }
}

public static Matcher<Object> withErrorName(final Matcher<String> itemTextMatcher) {
  checkNotNull(itemTextMatcher);
  return new TextInputLayoutErrorMatcher(itemTextMatcher);
}
}

You can use it then with

matches(CustomItemMatchers.withErrorName(equalTo("My Error")))

This code was written with Espresso 1, but I hope it still works.


If you don't want to use a custom matcher, in Kotlin you can get the same result by

    val expectedString = ctx.getString(R.string.authentication_error_empty_email)
    onView(ViewMatchers.withId(R.id.ti_email))
        .check { view, _ ->
            val actualError = (view as TextInputLayout).error
            assertEquals(actualError, expectedError)
        }

}

I like this way best because it allows flexibility with any view


This works with a CustomMatcher:

public static Matcher<View> hasTextInputLayoutErrorText(final String expectedErrorText) {
    return new TypeSafeMatcher<View>() {

        @Override
        public boolean matchesSafely(View view) {
            if (!(view instanceof TextInputLayout)) {
                return false;
            }

            CharSequence error = ((TextInputLayout) view).getError();

            if (error == null) {
                return false;
            }

            String hint = error.toString();

            return expectedErrorText.equals(hint);
        }

        @Override
        public void describeTo(Description description) {
        }
    };
}