Android自动化测试框架二、UIAutomator

2024-05-07 04:58

本文主要是介绍Android自动化测试框架二、UIAutomator,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

简介

Uiautomator是谷歌推出的,用于UI自动化测试的工具,也就是普通的手工测试,点击每个控件元素看看输出的结果是否符合预期。比如登陆界面分别输入正确和错误的用户名密码然后点击登陆按钮看看是否能否登陆以及是否有错误提示等。

注意:UI Automator测试框架是基于instrumentation的API,运行在Android JunitRunner 之上,同时UI Automator Test只运行在Android 4.3(API level 18)以上版本。

准备

集成UI Automator,首先需要保证App项目已经依赖了Gradle Testing。然后在gradle中添加如下依赖即可。

dependencies {androidTestCompile 'com.android.support.test.uiautomator:uiautomator-v18:2.1.1'
}

UI元素查找

在Android开发中,可以种findViewById来找到相应的控件,但是UI Automator是用来测试界面的,如果也是用相同的方式,那么则会依赖很大。UI Automator使用一种类似的方式来查找元素。UI Automator是根据元素的text、hint、contentDescription等属性进行查找的,为了使UI Automator能够获取到以上的属性值,请测试的UI界面是可以访问的,同时UI Automator也是可以访问这些控件元素。

可以使用uiautomatorviewer,来获取界面元素的层次关系以及各个元素的属性,然后UI Automator就可以根据这些属性信息查找到对应的控件元素。

获取步骤:

  • 启动设备上的App
  • 把设备连接到开发机器上
  • 打开Android sdk目录,<android-sdk>/tools/
  • 启动uiautomatorviewer
    然后可以操作uiautomatorviewer
  • 点击Device ScreenShot,稍等一会,获取到了屏幕的快照,界面右侧是当前界面的布局结构以及属性信息。

确保UI可以访问
上面介绍过,UI Automator是根据元素的text、hint、contentDescription等属性进行查找的,所以需要尽可能给布局中的元素添加上面的属性。有时候程序员需要自定义一些控件,那么请实现AccessibilityNodeProvider,以确保可以正常使用。

访问UI控件

UI Automator 提供 UiDevice 类,这个类提供一些方法,可以获取设备的一些状态和属性,同时可以执行一系列动作来操作设备。下面是一个示例,演示怎么样货到 UiDevice 对象,以及按下Home键。

import org.junit.Before;
import android.support.test.runner.AndroidJUnit4;
import android.support.test.uiautomator.UiDevice;
import android.support.test.uiautomator.By;
import android.support.test.uiautomator.Until;
...@RunWith(AndroidJUnit4.class)
@SdkSuppress(minSdkVersion = 18)
public class ChangeTextBehaviorTest {private static final String BASIC_SAMPLE_PACKAGE= "com.example.android.testing.uiautomator.BasicSample";private static final int LAUNCH_TIMEOUT = 5000;private static final String STRING_TO_BE_TYPED = "UiAutomator";private UiDevice mDevice;@Beforepublic void startMainActivityFromHomeScreen() {// Initialize UiDevice instancemDevice = UiDevice.getInstance(InstrumentationRegistry.getInstrumentation());// Start from the home screenmDevice.pressHome();// Wait for launcherfinal String launcherPackage = mDevice.getLauncherPackageName();assertThat(launcherPackage, notNullValue());mDevice.wait(Until.hasObject(By.pkg(launcherPackage).depth(0)),LAUNCH_TIMEOUT);// Launch the appContext context = InstrumentationRegistry.getContext();final Intent intent = context.getPackageManager().getLaunchIntentForPackage(BASIC_SAMPLE_PACKAGE);// Clear out any previous instancesintent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TASK);context.startActivity(intent);// Wait for the app to appearmDevice.wait(Until.hasObject(By.pkg(BASIC_SAMPLE_PACKAGE).depth(0)),LAUNCH_TIMEOUT);}
}

然后可以使用findObject()方法来获取到界面的UI控件,如下所示,在一个设备上面找出符合规则的UI元素,然后再执行一些列动作。

UiObject cancelButton = mDevice.findObject(new UiSelector().text("Cancel")).className("android.widget.Button"));
UiObject okButton = mDevice.findObject(new UiSelector().text("OK")).className("android.widget.Button"));// Simulate a user-click on the OK button, if found.
if(okButton.exists() && okButton.isEnabled()) {okButton.click();
}

指定一个选择器

有时候,需要访问一个特定的UI组件,可以使用UiSelector。这个类提供一些列的方法,帮助找到特定的UI组件。
当有多个符合条件UI元素被查找到时候,第一个元素会不是使用。可以传递的一个UiSelector到构造方法,相当于链式访问。如果没有元素被找到,那么会抛出UiAutomatorObjectNotFoundException异常。
也可以使用childSelector()来帅选多个UiSelector对象,如下所示,ListView的子元素中有很多是相同的,可以根据这个方法,选择某一个子元素。

UiObject appItem = new UiObject(new UiSelector().className("android.widget.ListView").instance(1).childSelector(new UiSelector().text("Apps")));

上面的查找还是很复杂,我们可以根据ResourceId 来替代文本查找的方式。文本找到的方式很脆弱,而且很容使测试失败,而且当语言环境变化了,文本查找就需要对照多个翻译版本的文本了。

执行动作

当我们根据文本查找找到对应的文本元素后,我们就可以随心所欲的进行操作了。

  • click() 点击
  • dragTo() 拖动当前元素
  • setText() 设置文本
  • swipeUp() 向上滑动,同理也有向下、向左、向右,swipeDown、swipeLeft、swipeRight。

UI Automator也可以提供一个Context,这样可以方便发送一个Intent或者是启动一个Activity。

public void setUp() {// Launch a simple calculator appContext context = getInstrumentation().getContext();Intent intent = context.getPackageManager().getLaunchIntentForPackage(CALC_PACKAGE);intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TASK);// Clear out any previous instancescontext.startActivity(intent);mDevice.wait(Until.hasObject(By.pkg(CALC_PACKAGE).depth(0)), TIMEOUT);
}

集合操作

可以使用UiCollection来模拟用户对一组UI控件进行操作,比如有时候界面上有个Listview。为了创建一个 UiCollection 对象,可以指定一个UiSelector搜索这个UI容器上满足这个条件的所有子元素。

下面代码演示如何在一个一组控件中进行操作。

UiCollection videos = new UiCollection(new UiSelector().className("android.widget.FrameLayout"));// Retrieve the number of videos in this collection:
int count = videos.getChildCount(new UiSelector().className("android.widget.LinearLayout"));// Find a specific video and simulate a user-click on it
UiObject video = videos.getChildByText(new UiSelector().className("android.widget.LinearLayout"), "Cute Baby Laughing");
video.click();// Simulate selecting a checkbox that is associated with the video
UiObject checkBox = video.getChild(new UiSelector().className("android.widget.Checkbox"));
if(!checkBox.isSelected()) checkbox.click();

操作可以滚动的UI元素

可以使用UiScrollable来模拟用户对界面的滚动操作(水平、垂直),这个技术可以帮我们搞定,当某个界面没有显示的时候,我们可以滚动界面,把那个界面显示出来。

UiScrollable settingsItem = new UiScrollable(new UiSelector().className("android.widget.ListView"));
UiObject about = settingsItem.getChildByText(new UiSelector().className("android.widget.LinearLayout"), "About tablet");
about.click();

校验结果

Ui Automator 是基于InstrumentationTestCase,同样InstrumentationTestCase是基于标准的JUnit Assert,那么我们也可以使用标准的JUnit Assert来判断结果。

下面代码片段演示一个计算器的代码,以及验证结果。

private static final String CALC_PACKAGE = "com.myexample.calc";public void testTwoPlusThreeEqualsFive() {// Enter an equation: 2 + 3 = ?mDevice.findObject(new UiSelector().packageName(CALC_PACKAGE).resourceId("two")).click();mDevice.findObject(new UiSelector().packageName(CALC_PACKAGE).resourceId("plus")).click();mDevice.findObject(new UiSelector().packageName(CALC_PACKAGE).resourceId("three")).click();mDevice.findObject(new UiSelector().packageName(CALC_PACKAGE).resourceId("equals")).click();// Verify the result = 5UiObject result = mDevice.findObject(By.res(CALC_PACKAGE, "result"));assertEquals("5", result.getText());
}

Api

UiDevice

void    clearLastTraversedText()
// Clears the text from the last UI traversal event.
// 清楚上次UI遍历的事件?boolean click(int x, int y)
// Perform a click at arbitrary coordinates specified by the user
// 根据坐标点击boolean drag(int startX, int startY, int endX, int endY, int steps)
// Performs a swipe from one coordinate to another coordinate.
// 拖动void    dumpWindowHierarchy(File dest)
// Dump the current window hierarchy to a File.
// dump当前的层次化结构到文件中void    dumpWindowHierarchy(OutputStream out)
// Dump the current window hierarchy to an OutputStream.
// dump当前的层次化结构到流中void    dumpWindowHierarchy(String fileName)
// This method is deprecated. Use dumpWindowHierarchy(File) or dumpWindowHierarchy(OutputStream) instead.
// dump当前的层次化结构到文件中UiObject2   findObject(BySelector selector)
// Returns the first object to match the selector criteria.
// 根据BySelector查找UiObject    findObject(UiSelector selector)
// Returns a UiObject which represents a view that matches the specified selector criteria.
// 根据UiSelector 查找List<UiObject2> findObjects(BySelector selector)
// Returns all objects that match the selector criteria.
// 根据BySelector查找void    freezeRotation()
// Disables the sensors and freezes the device rotation at its current rotation state.
// 冻结旋转的状态String  getCurrentActivityName()
// This method is deprecated. The results returned should be considered unreliable
// 获取当前Activity的名字,已经被废弃String  getCurrentPackageName()
// Retrieves the name of the last package to report accessibility events.
// 获取当前packageint getDisplayHeight()
// Gets the height of the display, in pixels.int getDisplayRotation()
// Returns the current rotation of the display, as defined in SurfacePoint   getDisplaySizeDp()
// Returns the display size in dp (device-independent pixel) The returned display size is adjusted per screen rotation.int getDisplayWidth()
// Gets the width of the display, in pixels.static UiDevice getInstance()
// This method is deprecated. Should use getInstance(Instrumentation) instead. This version hides UiDevice's dependency on having an Instrumentation reference and is prone to misuse.
// 获取一个对象static UiDevice getInstance(Instrumentation instrumentation)
// Retrieves a singleton instance of UiDeviceString  getLastTraversedText()
// Retrieves the text from the last UI traversal event received.
// 获取上一次遍历的文本String  getLauncherPackageName()
// Retrieves default launcher package name
// 获取运行的packagenameString  getProductName()
// Retrieves the product name of the device.boolean hasAnyWatcherTriggered()
// Checks if any registered UiWatcher have triggered.
// 检查是否有触发器触发boolean hasObject(BySelector selector)
// Returns whether there is a match for the given selector criteria.
// 是否有符合的条件的boolean hasWatcherTriggered(String watcherName)
// Checks if a specific registered UiWatcher has triggered.boolean isNaturalOrientation()
// Check if the device is in its natural orientation.boolean isScreenOn()
// Checks the power manager if the screen is ON.boolean openNotification()
// Opens the notification shade.
// 打开通知boolean openQuickSettings()
// Opens the Quick Settings shade.
// 打开设置<R> R   performActionAndWait(Runnable action, EventCondition<R> condition, long timeout)
// Performs the provided action and waits for the condition to be met.boolean pressBack()
// Simulates a short press on the BACK button.boolean pressDPadCenter()
// Simulates a short press on the CENTER button.boolean pressDPadDown()
// Simulates a short press on the DOWN button.boolean pressDPadLeft()
// Simulates a short press on the LEFT button.boolean pressDPadRight()
// Simulates a short press on the RIGHT button.boolean pressDPadUp()
// Simulates a short press on the UP button.boolean pressDelete()
// Simulates a short press on the DELETE key.boolean pressEnter()
// Simulates a short press on the ENTER key.boolean pressHome()
// Simulates a short press on the HOME button.boolean pressKeyCode(int keyCode)
// Simulates a short press using a key code.boolean pressKeyCode(int keyCode, int metaState)
// Simulates a short press using a key code.boolean pressMenu()
// Simulates a short press on the MENU button.boolean pressRecentApps()
// Simulates a short press on the Recent Apps button.boolean pressSearch()
// Simulates a short press on the SEARCH button.void    registerWatcher(String name, UiWatcher watcher)
// Registers a UiWatcher to run automatically when the testing framework is unable to find a match using a UiSelector.void    removeWatcher(String name)
// Removes a previously registered UiWatcher.void    resetWatcherTriggers()
// Resets a UiWatcher that has been triggered.void    runWatchers()
// This method forces all registered watchers to run.void    setCompressedLayoutHeirarchy(boolean compressed)
// Enables or disables layout hierarchy compression.void    setOrientationLeft()
// Simulates orienting the device to the left and also freezes rotation by disabling the sensors.
// 设置旋转方向void    setOrientationNatural()
// Simulates orienting the device into its natural orientation and also freezes rotation by disabling the sensors.void    setOrientationRight()
// Simulates orienting the device to the right and also freezes rotation by disabling the sensors.void    sleep()
// This method simply presses the power button if the screen is ON else it does nothing if the screen is already OFF.
// 关闭屏幕boolean swipe(int startX, int startY, int endX, int endY, int steps)
// Performs a swipe from one coordinate to another using the number of steps to determine smoothness and speed.boolean swipe(Point[] segments, int segmentSteps)
// Performs a swipe between points in the Point array.boolean takeScreenshot(File storePath, float scale, int quality)
// Take a screenshot of current window and store it as PNG The screenshot is adjusted per screen rotation
// 截屏
boolean takeScreenshot(File storePath)
// Take a screenshot of current window and store it as PNG Default scale of 1.0f (original size) and 90% quality is used The screenshot is adjusted per screen rotationvoid    unfreezeRotation()
// Re-enables the sensors and un-freezes the device rotation allowing its contents to rotate with the device physical rotation.<R> R   wait(SearchCondition<R> condition, long timeout)
// Waits for given the condition to be met.void    waitForIdle(long timeout)
// Waits for the current application to idle.void    waitForIdle()
// Waits for the current application to idle.boolean waitForWindowUpdate(String packageName, long timeout)
// Waits for a window content update event to occur.void    wakeUp()
// This method simulates pressing the power button if the screen is OFF else it does nothing if the screen is already ON.
// 点亮屏幕

UiObject

void    clearTextField()
// Clears the existing text contents in an editable field.
// 清空输入接口boolean click()
// Performs a click at the center of the visible bounds of the UI element represented by this UiObject.
// 点击boolean clickAndWaitForNewWindow()
// Waits for window transitions that would typically take longer than the usual default timeouts.
// 点击并等待新界面boolean clickAndWaitForNewWindow(long timeout)
// Performs a click at the center of the visible bounds of the UI element represented by this UiObject and waits for window transitions.
// 点击并等待新界面,设置等待时间boolean clickBottomRight()
// Clicks the bottom and right corner of the UI element
// 点击右下边boolean clickTopLeft()
// Clicks the top and left corner of the UI elementboolean dragTo(UiObject destObj, int steps)
// Drags this object to a destination UiObject.
// 拖动boolean dragTo(int destX, int destY, int steps)
// Drags this object to arbitrary coordinates.boolean exists()
// Check if view exists.
// 判断是否存在Rect    getBounds()
// Returns the view's bounds property.
// 返回边界UiObject    getChild(UiSelector selector)
// Creates a new UiObject for a child view that is under the present UiObject.
// 根据条件获取子元素int getChildCount()
// Counts the child views immediately under the present UiObject.
// 获取子元素数量String  getClassName()
// Retrieves the className property of the UI element.
// 获取当前元素的class nameString  getContentDescription()
// Reads the content_desc property of the UI elementUiObject    getFromParent(UiSelector selector)
// Creates a new UiObject for a sibling view or a child of the sibling view, relative to the present UiObject.String  getPackageName()
// Reads the view's package propertyfinal UiSelector    getSelector()
// Debugging helper.String  getText()
// Reads the text property of the UI elementRect    getVisibleBounds()
// Returns the visible bounds of the view.
// 获取可见边界boolean isCheckable()
// Checks if the UI element's checkable property is currently true.
// 是否可以点击boolean isChecked()
// Check if the UI element's checked property is currently true
// 是否已经选中boolean isClickable()
// Checks if the UI element's clickable property is currently true.boolean isEnabled()
// Checks if the UI element's enabled property is currently true.boolean isFocusable()
// Check if the UI element's focusable property is currently true.boolean isFocused()
// Check if the UI element's focused property is currently trueboolean isLongClickable()
// Check if the view's long-clickable property is currently trueboolean isScrollable()
// Check if the view's scrollable property is currently trueboolean isSelected()
// Checks if the UI element's selected property is currently true.boolean longClick()
// Long clicks the center of the visible bounds of the UI element
// 长按boolean longClickBottomRight()
// Long clicks bottom and right corner of the UI elementboolean longClickTopLeft()
// Long clicks on the top and left corner of the UI elementboolean performMultiPointerGesture(PointerCoords... touches)
// Performs a multi-touch gesture.boolean performTwoPointerGesture(Point startPoint1, Point startPoint2, Point endPoint1, Point endPoint2, int steps)
// Generates a two-pointer gesture with arbitrary starting and ending points.boolean pinchIn(int percent, int steps)
// Performs a two-pointer gesture, where each pointer moves diagonally toward the other, from the edges to the center of this UiObject .boolean pinchOut(int percent, int steps)
// Performs a two-pointer gesture, where each pointer moves diagonally opposite across the other, from the center out towards the edges of the this UiObject.boolean setText(String text)
// Sets the text in an editable field, after clearing the field's content.
// 设置输入内容boolean swipeDown(int steps)
// Performs the swipe down action on the UiObject.boolean swipeLeft(int steps)
// Performs the swipe left action on the UiObject.boolean swipeRight(int steps)
// Performs the swipe right action on the UiObject.boolean swipeUp(int steps)
// Performs the swipe up action on the UiObject.boolean waitForExists(long timeout)
// Waits a specified length of time for a view to become visible.boolean waitUntilGone(long timeout)
// Waits a specified length of time for a view to become undetectable.

总结

优点:

  • 可以对所有操作进行自动化,操作简单
  • 不需要对被测程序进行重签名,且,可以测试所有设备上的程序,比如某APP,比如拨号,比如~发信息等等
  • 对于控件定位,要比robotium简单一点点

缺点:

  • Ui Automator需要android level 16以上才可以使用,因为在level 16及以上的API里面才带有uiautomator工具
  • 如果想要使用resource-id定位控件,则需要level 18及以上才可以
  • 对中文支持不好(不代表不支持,第三方jar可以实现)

链接

https://developer.android.com/training/testing/ui-testing/uiautomator-testing.html``

转自:https://www.jianshu.com/p/7718860ec657

这篇关于Android自动化测试框架二、UIAutomator的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/966382

相关文章

性能测试介绍

性能测试是一种测试方法,旨在评估系统、应用程序或组件在现实场景中的性能表现和可靠性。它通常用于衡量系统在不同负载条件下的响应时间、吞吐量、资源利用率、稳定性和可扩展性等关键指标。 为什么要进行性能测试 通过性能测试,可以确定系统是否能够满足预期的性能要求,找出性能瓶颈和潜在的问题,并进行优化和调整。 发现性能瓶颈:性能测试可以帮助发现系统的性能瓶颈,即系统在高负载或高并发情况下可能出现的问题

字节面试 | 如何测试RocketMQ、RocketMQ?

字节面试:RocketMQ是怎么测试的呢? 答: 首先保证消息的消费正确、设计逆向用例,在验证消息内容为空等情况时的消费正确性; 推送大批量MQ,通过Admin控制台查看MQ消费的情况,是否出现消费假死、TPS是否正常等等问题。(上述都是临场发挥,但是RocketMQ真正的测试点,还真的需要探讨) 01 先了解RocketMQ 作为测试也是要简单了解RocketMQ。简单来说,就是一个分

Android实现任意版本设置默认的锁屏壁纸和桌面壁纸(两张壁纸可不一致)

客户有些需求需要设置默认壁纸和锁屏壁纸  在默认情况下 这两个壁纸是相同的  如果需要默认的锁屏壁纸和桌面壁纸不一样 需要额外修改 Android13实现 替换默认桌面壁纸: 将图片文件替换frameworks/base/core/res/res/drawable-nodpi/default_wallpaper.*  (注意不能是bmp格式) 替换默认锁屏壁纸: 将图片资源放入vendo

Android平台播放RTSP流的几种方案探究(VLC VS ExoPlayer VS SmartPlayer)

技术背景 好多开发者需要遴选Android平台RTSP直播播放器的时候,不知道如何选的好,本文针对常用的方案,做个大概的说明: 1. 使用VLC for Android VLC Media Player(VLC多媒体播放器),最初命名为VideoLAN客户端,是VideoLAN品牌产品,是VideoLAN计划的多媒体播放器。它支持众多音频与视频解码器及文件格式,并支持DVD影音光盘,VCD影

【测试】输入正确用户名和密码,点击登录没有响应的可能性原因

目录 一、前端问题 1. 界面交互问题 2. 输入数据校验问题 二、网络问题 1. 网络连接中断 2. 代理设置问题 三、后端问题 1. 服务器故障 2. 数据库问题 3. 权限问题: 四、其他问题 1. 缓存问题 2. 第三方服务问题 3. 配置问题 一、前端问题 1. 界面交互问题 登录按钮的点击事件未正确绑定,导致点击后无法触发登录操作。 页面可能存在

业务中14个需要进行A/B测试的时刻[信息图]

在本指南中,我们将全面了解有关 A/B测试 的所有内容。 我们将介绍不同类型的A/B测试,如何有效地规划和启动测试,如何评估测试是否成功,您应该关注哪些指标,多年来我们发现的常见错误等等。 什么是A/B测试? A/B测试(有时称为“分割测试”)是一种实验类型,其中您创建两种或多种内容变体——如登录页面、电子邮件或广告——并将它们显示给不同的受众群体,以查看哪一种效果最好。 本质上,A/B测

cross-plateform 跨平台应用程序-03-如果只选择一个框架,应该选择哪一个?

跨平台系列 cross-plateform 跨平台应用程序-01-概览 cross-plateform 跨平台应用程序-02-有哪些主流技术栈? cross-plateform 跨平台应用程序-03-如果只选择一个框架,应该选择哪一个? cross-plateform 跨平台应用程序-04-React Native 介绍 cross-plateform 跨平台应用程序-05-Flutte

【Linux 从基础到进阶】Ansible自动化运维工具使用

Ansible自动化运维工具使用 Ansible 是一款开源的自动化运维工具,采用无代理架构(agentless),基于 SSH 连接进行管理,具有简单易用、灵活强大、可扩展性高等特点。它广泛用于服务器管理、应用部署、配置管理等任务。本文将介绍 Ansible 的安装、基本使用方法及一些实际运维场景中的应用,旨在帮助运维人员快速上手并熟练运用 Ansible。 1. Ansible的核心概念

Spring框架5 - 容器的扩展功能 (ApplicationContext)

private static ApplicationContext applicationContext;static {applicationContext = new ClassPathXmlApplicationContext("bean.xml");} BeanFactory的功能扩展类ApplicationContext进行深度的分析。ApplicationConext与 BeanF

android-opencv-jni

//------------------start opencv--------------------@Override public void onResume(){ super.onResume(); //通过OpenCV引擎服务加载并初始化OpenCV类库,所谓OpenCV引擎服务即是 //OpenCV_2.4.3.2_Manager_2.4_*.apk程序包,存