2

我们可以在 Espresso 中获取当前显示活动以相应地写下一些条件代码吗?

在我的应用程序中,我们有一个介绍页面,该页面仅显示用户一次,从下一个应用程序直接将用户带到登录屏幕。我们是否可以检查用户登陆的屏幕,以便我们可以相应地写下我们的测试用例。

4

2 回答 2

2

您可以在我们必须检查的布局中放置一个唯一的 ID。在您描述的示例中,我将放入登录布局:

<RelativeLayout ...
    android:id="@+id/loginWrapper"
 ...

然后,在测试中你只需要检查这个 Id 是否显示:

onView(withId(R.id.loginWrapper)).check(matches(isCompletelyDisplayed()));

我不知道是否有更好的方法,但这个方法有效。

您也可以使用可以在网上找到的 waitId 方法等待一段时间:

/**
 * Perform action of waiting for a specific view id.
 * <p/>
 * E.g.:
 * onView(isRoot()).perform(waitId(R.id.dialogEditor, Sampling.SECONDS_15));
 *
 * @param viewId
 * @param millis
 * @return
 */
public static ViewAction waitId(final int viewId, final long millis) {
    return new ViewAction() {
        @Override
        public Matcher<View> getConstraints() {
            return isRoot();
        }

        @Override
        public String getDescription() {
            return "wait for a specific view with id <" + viewId + "> during " + millis + " millis.";
        }

        @Override
        public void perform(final UiController uiController, final View view) {
            uiController.loopMainThreadUntilIdle();
            final long startTime = System.currentTimeMillis();
            final long endTime = startTime + millis;
            final Matcher<View> viewMatcher = withId(viewId);

            do {
                for (View child : TreeIterables.breadthFirstViewTraversal(view)) {
                    // found view with required ID
                    if (viewMatcher.matches(child)) {
                        return;
                    }
                }

                uiController.loopMainThreadForAtLeast(50);
            }
            while (System.currentTimeMillis() < endTime);

            // timeout happens
            throw new PerformException.Builder()
                .withActionDescription(this.getDescription())
                .withViewDescription(HumanReadables.describe(view))
                .withCause(new TimeoutException())
                .build();
        }
    };
}

使用此方法,您可以执行以下操作:

onView(isRoot()).perform(waitId(R.id.loginWrapper, 5000));

这样,如果登录屏幕出现 5 秒或更短时间,测试将不会失败。

于 2016-07-22T16:23:04.503 回答
0

在我Espresso使用的测试类中ActivityTestRule,所以要获取我使用的当前活动

mRule.getActivity()

这是我的示例代码:

@RunWith(AndroidJUnit4.class)
@FixMethodOrder(MethodSorters.NAME_ASCENDING)
public class SettingsActivityTest {

    @Rule
    public ActivityTestRule<SettingsActivity> mRule = new ActivityTestRule<>(SettingsActivity.class);

    @Test
    public void checkIfToolbarIsProperlyDisplayed() throws InterruptedException {
        onView(withText(R.string.action_settings)).check(matches(withParent(withId(R.id.toolbar))));
        onView(withId(R.id.toolbar)).check(matches(isDisplayed()));

        Toolbar toolbar = (Toolbar) mRule.getActivity().findViewById(R.id.toolbar);
        assertTrue(toolbar.hasExpandedActionView());
    }
}

希望它会有所帮助

于 2016-08-14T23:22:16.187 回答